neutron 安全组代码实现(一)

最近在学习neutron 安全组相关逻辑,所以梳理一下neutron关于安全组的具体代码实现,下面是neutron创建安全组时的代码,总体来说所有service的创建流程是一样的
  1. 创建安全组
#neutron --debug security-group-create sg-debug-can-delete
curl -g -i -X POST http://10.x.x.x:9696/v2.0/security-groups -H "Accept: application/json" -H "Content-Type: application/json" -H "User-Agent: python-neutronclient" -H "X-Auth-Token: {SHA256}3655d2b6e755fbbb194d185fda9d339c642ab064dba48da834e1b2660e140123" -d '{"security_group": {"name": "sg-debug-can-delete"}}'
  1. neutron/api/v2/base.py

安全组创建create请求由controller处理,调用create函数,self._notifier.info 这里先init 了neutron-lib库中的rpc.py中的NOTIFIER,然后调用oslo_message发送了一个info的通知 security_group.create.start, 调用_create 获取body以及action,加载policy ,obj_creator 最终是执行了 plugin neutron.plugins.ml2.plugin.Ml2Plugin 的函数 create_security_group,create_security_group来自实现的类SecurityGroupDbMixin中的,所以do_create中最终执行了SecurityGroupDbMixin的create_security_group函数,db中创建安全组obj,再notify,并同时将obj 安全组信息http 返回

 def create(self, request, body=None, **kwargs):self._notifier.info(request.context,self._resource + '.create.start',body)return self._create(request, body, **kwargs)@db_api.retry_db_errorsdef _create(self, request, body, **kwargs):"""Creates a new instance of the requested entity."""parent_id = kwargs.get(self._parent_id_name)body = Controller.prepare_request_body(request.context,body, True,self._resource, self._attr_info,allow_bulk=self._allow_bulk)action = self._plugin_handlers[self.CREATE]# Check authzif self._collection in body:# Have to account for bulk createitems = body[self._collection]else:items = [body]# Ensure policy engine is initializedpolicy.init()# Store requested resource amounts grouping them by tenant# This won't work with multiple resources. However because of the# current structure of this controller there will hardly be more than# one resource for which reservations are being maderequest_deltas = collections.defaultdict(int)for item in items:self._validate_network_tenant_ownership(request,item[self._resource])# For ext resources policy check, we support two types, such as# parent_id is in request body, another type is parent_id is in# request url, which we can get from kwargs.self._set_parent_id_into_ext_resources_request(request, item[self._resource], parent_id)policy.enforce(request.context,action,item[self._resource],pluralized=self._collection)if 'tenant_id' not in item[self._resource]:# no tenant_id - no quota checkcontinuetenant_id = item[self._resource]['tenant_id']request_deltas[tenant_id] += 1# Quota enforcementreservations = []try:for (tenant, delta) in request_deltas.items():reservation = quota.QUOTAS.make_reservation(request.context,tenant,{self._resource: delta},self._plugin)reservations.append(reservation)except exceptions.QuotaResourceUnknown as e:# We don't want to quota this resourceLOG.debug(e)def notify(create_result):# Ensure usage trackers for all resources affected by this API# operation are marked as dirtywith db_api.CONTEXT_WRITER.using(request.context):# Commit the reservation(s)for reservation in reservations:quota.QUOTAS.commit_reservation(request.context, reservation.reservation_id)resource_registry.set_resources_dirty(request.context)notifier_method = self._resource + '.create.end'self._notifier.info(request.context,notifier_method,create_result)registry.publish(self._resource, events.BEFORE_RESPONSE, self,payload=events.APIEventPayload(request.context, notifier_method, action,request_body=body,states=({}, create_result,),collection_name=self._collection))return create_resultdef do_create(body, bulk=False, emulated=False):kwargs = {self._parent_id_name: parent_id} if parent_id else {}if bulk and not emulated:obj_creator = getattr(self._plugin, "%s_bulk" % action)else:#这里获取了ML2plugin的create_security_group属性obj_creator = getattr(self._plugin, action)try:if emulated:return self._emulate_bulk_create(obj_creator, request,body, parent_id)else:if self._collection in body:# This is weird but fixing it requires changes to the# plugin interfacekwargs.update({self._collection: body})else:kwargs.update({self._resource: body})#这里调用了create_security_group函数return obj_creator(request.context, **kwargs)except Exception:# In case of failure the plugin will always raise an# exception. Cancel the reservationwith excutils.save_and_reraise_exception():for reservation in reservations:quota.QUOTAS.cancel_reservation(request.context, reservation.reservation_id)if self._collection in body and self._native_bulk:# plugin does atomic bulk create operationsobjs = do_create(body, bulk=True)# Use first element of list to discriminate attributes which# should be removed because of authZ policiesfields_to_strip = self._exclude_attributes_by_policy(request.context, objs[0])return notify({self._collection: [self._filter_attributes(obj, fields_to_strip=fields_to_strip)for obj in objs]})else:if self._collection in body:# Emulate atomic bulk behaviorobjs = do_create(body, bulk=True, emulated=True)return notify({self._collection: objs})else:#走到这里创建了db记录,notify并 http 返回信息obj = do_create(body)return notify({self._resource: self._view(request.context,obj)})
  1. neutron/db/securitygroups_db.py

db中创建安全组以及安全组egress规则, 创建完后 AFTER_CREATE,通过notify发送rpc通知, 执行 neutron.plugins.ml2.ovo_rpc._ObjectChangeHandler.handle_event–9223372036799819083’

 @db_api.retry_if_session_inactive()def create_security_group(self, context, security_group, default_sg=False):"""Create security group.If default_sg is true that means we are a default security group fora given tenant if it does not exist."""s = security_group['security_group']kwargs = {'context': context,'security_group': s,'is_default': default_sg,}#创建前rpc通知订阅serviceself._registry_notify(resources.SECURITY_GROUP, events.BEFORE_CREATE,exc_cls=ext_sg.SecurityGroupConflict,payload=events.DBEventPayload(context, metadata={'is_default': default_sg},request_body=security_group,desired_state=s))tenant_id = s['tenant_id']with db_api.CONTEXT_WRITER.using(context):sg = sg_obj.SecurityGroup(context, id=s.get('id') or uuidutils.generate_uuid(),description=s['description'], project_id=tenant_id,name=s['name'], is_default=default_sg)sg.create()for ethertype in ext_sg.sg_supported_ethertypes:egress_rule = sg_obj.SecurityGroupRule(context, id=uuidutils.generate_uuid(),project_id=tenant_id, security_group_id=sg.id,direction='egress', ethertype=ethertype)egress_rule.create()sg.rules.append(egress_rule)sg.obj_reset_changes(['rules'])# fetch sg from db to load the sg rules with sg model.sg = sg_obj.SecurityGroup.get_object(context, id=sg.id)secgroup_dict = self._make_security_group_dict(sg)kwargs['security_group'] = secgroup_dictself._registry_notify(resources.SECURITY_GROUP,events.PRECOMMIT_CREATE,exc_cls=ext_sg.SecurityGroupConflict,**kwargs)registry.notify(resources.SECURITY_GROUP, events.AFTER_CREATE, self,**kwargs)return secgroup_dict
  1. neutron_lib/callbacks/manager.py

    因为event是events.BEFORE_RESPONSE,所以最终执行了self._notify_loop,最终执行了callback

    @db_utils.reraise_as_retryrequestdef notify(self, resource, event, trigger, **kwargs):"""Notify all subscribed callback(s).Dispatch the resource's event to the subscribed callbacks.:param resource: The resource for the event.:param event: The event.:param trigger: The trigger. A reference to the sender of the event.:param kwargs: (deprecated) Unstructured key/value pairs to invokethe callback with. Using event objects with publish() is preferred.:raises CallbackFailure: CallbackFailure is raised if the underlyingcallback has errors."""errors = self._notify_loop(resource, event, trigger, **kwargs)if errors:if event.startswith(events.BEFORE):abort_event = event.replace(events.BEFORE, events.ABORT)self._notify_loop(resource, abort_event, trigger, **kwargs)raise exceptions.CallbackFailure(errors=errors)if event.startswith(events.PRECOMMIT):raise exceptions.CallbackFailure(errors=errors)def clear(self):"""Brings the manager to a clean slate."""self._callbacks = collections.defaultdict(dict)self._index = collections.defaultdict(dict)def _notify_loop(self, resource, event, trigger, **kwargs):"""The notification loop."""errors = []# NOTE(yamahata): Since callback may unsubscribe it,# convert iterator to list to avoid runtime error.callbacks = list(itertools.chain(*[pri_callbacks.items() for (priority, pri_callbacks)in self._callbacks[resource].get(event, [])]))LOG.debug("Notify callbacks %s for %s, %s",[c[0] for c in callbacks], resource, event)# TODO(armax): consider using a GreenPilefor callback_id, callback in callbacks:try:callback(resource, event, trigger, **kwargs)except Exception as e:abortable_event = (event.startswith(events.BEFORE) orevent.startswith(events.PRECOMMIT))if not abortable_event:LOG.exception("Error during notification for ""%(callback)s %(resource)s, %(event)s",{'callback': callback_id,'resource': resource, 'event': event})else:LOG.debug("Callback %(callback)s raised %(error)s",{'callback': callback_id, 'error': e})errors.append(exceptions.NotificationError(callback_id, e))return errors
    
  2. neutron/plugins/ml2/ovo_rpc.py

ObjectChangeHandler初始化时subscribe了AFTER_CREATE,AFTER_UPDATE,AFTER_DELETE的event,最后启用了一个线程将event分发下去

     def handle_event(self, resource, event, trigger,context, *args, **kwargs):"""Callback handler for resource change that pushes change to RPC.We always retrieve the latest state and ignore what was in thepayload to ensure that we don't get any stale data."""if self._is_session_semantic_violated(context, resource, event):returnresource_id = self._extract_resource_id(kwargs)# we preserve the context so we can trace a receive on the agent back# to the server-side event that triggered itself._resources_to_push[resource_id] = context.to_dict()# spawn worker so we don't block main AFTER_UPDATE threadself.fts.append(self._worker_pool.submit(self.dispatch_events))@lockutils.synchronized('event-dispatch')def dispatch_events(self):# this is guarded by a lock to ensure we don't get too many concurrent# dispatchers hitting the database simultaneously.to_dispatch, self._resources_to_push = self._resources_to_push, {}# TODO(kevinbenton): now that we are batching these, convert to a# single get_objects call for all of themfor resource_id, context_dict in to_dispatch.items():context = n_ctx.Context.from_dict(context_dict)# attempt to get regardless of event type so concurrent delete# after create/update is the same code-path as a delete eventwith db_api.get_context_manager().independent.reader.using(context):obj = self._obj_class.get_object(context, id=resource_id)# CREATE events are always treated as UPDATE events to ensure# listeners are written to handle out-of-order messagesif obj is None:rpc_event = rpc_events.DELETED# construct a fake object with the right ID so we can# have a payload for the delete message.obj = self._obj_class(id=resource_id)else:rpc_event = rpc_events.UPDATEDself._resource_push_api.push(context, [obj], rpc_event)
  1. neutron/api/rpc/handlers/resources_rpc.py

最终发送cast广播出去了

class ResourcesPushRpcApi(object): def push(self, context, resource_list, event_type):"""Push an event and list of resources to agents, batched per type.When a list of different resource types is passed to this method,the push will be sent as separate individual list pushes, one perresource type."""resources_by_type = self._classify_resources_by_type(resource_list)LOG.debug("Pushing event %s for resources: %s", event_type,{t: ["ID=%s,revision_number=%s" % (getattr(obj, 'id', None),getattr(obj, 'revision_number', None))for obj in resources_by_type[t]]for t in resources_by_type})for resource_type, type_resources in resources_by_type.items():self._push(context, resource_type, type_resources, event_type)def _push(self, context, resource_type, resource_list, event_type):"""Push an event and list of resources of the same type to agents."""_validate_resource_type(resource_type)for version in version_manager.get_resource_versions(resource_type):cctxt = self._prepare_object_fanout_context(resource_list[0], version, rpc_version='1.1')dehydrated_resources = [resource.obj_to_primitive(target_version=version)for resource in resource_list]cctxt.cast(context, 'push',resource_list=dehydrated_resources,event_type=event_type)

日志:

Pushing event updated for resources: {'SecurityGroup': ['ID=47991532-81e1-4454-a010-7d1d45c07db1,revision_number=1']} push /var/lib/kolla/venv/lib/python2.7/site-packages/neutron/api/rpc/handlers/resources_rpc.py:243CAST unique_id: 0d594a5224974f5aa28788fb340e3c90 FANOUT topic 'neutron-vo-SecurityGroup-1.1' _send /var/lib/kolla/venv/lib/python2.7/site-packages/oslo_messaging/_drivers/amqpdriver.py:617Exchange neutron-vo-SecurityGroup-1.1_fanout(fanout) with routing key None

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/598164.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

酷开科技 | 酷开系统9.2,开启个性化时代

现代人,总喜欢不走寻常路,以彰显自己的不同。酷开系统的个性化推荐就能满足你的这类需求,既能给你想要的内容,又能给你与众不同的体验! 想听音乐了?打开酷开系统音乐频道,随机播放为你推荐的歌曲…

springboot devtools实现热部署

1.配置devtools依赖 <dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-devtools</artifactId><scope>runtime</scope><optional>true</optional></dependency>2.配置maven插件&…

语音遥控器2-语音功能实现

语音语义识别方案我们采用的是思某驰。 调查了一下语音相关代码&#xff0c;不管腾某讯&#xff0c;还是思某驰&#xff0c; 一般都会涉及到以下几个部分的工作&#xff1a; 对接语音识别SDK Sdk对接主要是密钥&#xff0c;认证&#xff0c;消息的处理&#xff1b; 方案采…

【四】CocosCreator-修改引擎源码

看源码的过程中&#xff0c;少不了得修修改改源码&#xff0c;做点实验。果断去找找源码在哪里&#xff0c;然后就可以快乐动手改源码了。 CocosCreator引擎源码主要就是js和原生C两类&#xff0c;分别在引擎目录的resources/engine和resources/cocos2d-x下&#xff0c;如图&am…

WEB 3D技术 three.js 法向量演示性讲解

本文 我们来说法向 法向 又叫 法向量 就是 我们一个三维物体 顶点垂直于面 的方向 向量 他的作用 用来做光反射 根据光照的方向 根据面进行反射 我们上文写的这个代码 import ./style.css import * as THREE from "three"; import { OrbitControls } from "…

springcloud之Feign超时提示Read timed out executing POST

问题描述&#xff1a; Feign接口调用分两层&#xff0c;Ribbon的调用和Hystrix调用&#xff0c;理论上设置Ribbon的时间即可&#xff0c;但是Ribbon的超时时间和Hystrix的超时时间需要结合起来&#xff0c;按照木桶原则最低的就是Feign的超时时间&#xff0c;建议最好配置超时…

R语言频率分布直方图绘制教程

本篇笔记分享R语言绘制直方图的方法&#xff0c;通过多种展示风格对数据进行可视化&#xff0c;主要用到ggplot、ggpubr等包。 什么是直方图&#xff1f; 直方图(Histogram)&#xff0c;又称质量分布图&#xff0c;是一种统计报告图&#xff0c;由一系列高度不等的柱子表示数据…

openCV入门

简介 本文主要通过对啥都会一点研究生系列进行总结&#xff0c;对关键代码进行注释&#xff0c;方便使用以及复习。 1 基础功能 1.1.显示图片 import cv2 # 读取图片 img cv2.imread("Resources/lena.png") # 显示图片 cv2.imshow("Lena Soderberg",img…

【Java集合类篇】HashMap的数据结构是怎样的?

HashMap的数据结构是怎样的? ✔️HashMap的数据结构✔️ 数组✔️ 链表 ✔️HashMap的数据结构 在Java中&#xff0c;保存数据有两种比较简单的数据结构: 数组和链表&#xff08;或红黑树&#xff09;。 HashMap是 Java 中常用的数据结构&#xff0c;它实现了 Map 接口。Has…

STM32 CubeMX产生的程序架构

使用STM32CubeMX产生启动相关代码&#xff0c;配置各种外设。在后续程序开发过程中&#xff0c;有可能使用STM32CubeMX逐步产生使用的代码&#xff0c;为了将其产生的代码和我们程序隔离&#xff0c;一种可行的程序架构如下&#xff1a; 在此架构中&#xff0c;STM32CubeMX产生…

GraphQL和REST API的区别

我的新书《Android App开发入门与实战》已于2020年8月由人民邮电出版社出版&#xff0c;欢迎购买。点击进入详情 GraphQL&#xff08;Graph Query Language&#xff09;和REST&#xff08;Representational State Transfer&#xff09;是两种用于构建和设计API的不同方法。以下…

【设计模式之美】理论一:怎么才算是单一原则、如何取舍单一原则

文章目录 一. 如何判断类的职责是否足够单一&#xff1f;二. 类的职责是否设计得越单一越好&#xff1f; 开始学习一些经典的设计原则&#xff0c;其中包括&#xff0c;SOLID、KISS、YAGNI、DRY、LOD 等。 本文主要学习单一职责原则的相关内容。 单一职责原则的定义&#xff1a…

电脑屏幕一直闪烁怎么解决?三大妙招还你清晰视野

电脑屏幕闪烁一直是困扰用户的一个问题&#xff0c;它会影响到用户的使用体验&#xff0c;甚至可能导致眼睛疲劳和头痛。可是电脑屏幕一直闪烁怎么解决呢&#xff1f;在本文中&#xff0c;我们将介绍三个解决电脑屏幕闪烁的方法&#xff0c;从简单的软件调整到硬件检测&#xf…

亚马逊图片上传后变模糊怎么办?亚马逊图片优化指南—站斧浏览器

亚马逊图片上传后变模糊怎么办&#xff1f; 使用高分辨率图片&#xff1a;亚马逊建议卖家使用至少1000 x 1000像素的高分辨率图片。如果您上传的图片分辨率较低&#xff0c;亚马逊系统可能会将其自动调整为较小的尺寸&#xff0c;导致图片模糊。因此&#xff0c;确保您使用高质…

对JAVA行业的深度思考职业规划

JAVA行业的发展趋势 首先&#xff0c;随着移动互联网的快速发展&#xff0c;移动应用程序的需求也越来越大。在这个领域&#xff0c;Java一直是主要的开发语言之一&#xff0c;特别是在Android平台上。然而&#xff0c;随着谷歌推出了Kotlin语言作为Android开发的首选语言&…

Vue3.0+Echarts (可视化界面)

Vue3.0Echarts &#xff08;可视化界面&#xff09; 1. 简介2. 安装2.1 下载安装Node.js2.2 全局下载项目脚手架2.3 创建项目 1. 简介 2. 安装 2.1 下载安装Node.js 2.2 全局下载项目脚手架 以管理员身份执行 npm install -g vue/cli vue --version2.3 创建项目 vue crea…

读书之unix环境高级编程_简单笔记1(初步)

手头有比较多的技术书籍&#xff0c;弃之可惜&#xff0c;放之惭愧&#xff0c;借助空闲时间&#xff0c;先草读&#xff0c;再demo整理。 unix环境高级编程 草读简单整理&#xff0c;为下一步整理细节技术点做准备&#xff08;仅个人笔记&#xff09;。 基本的文件操作&…

java与Android开发入门指南

Java与Android开发是当前非常热门的技术领域&#xff0c;它们是构建移动应用程序的核心。在本文中&#xff0c;我们将为您提供一个入门指南&#xff0c;介绍Java和Android开发的基本概念和步骤&#xff0c;帮助您开始学习和掌握这两个技术。 Java 基础知识 在学习 Android 开…

基于Java SSM框架实现宠物管理系统项目【项目源码+论文说明】计算机毕业设计

基于java的SSM框架实现宠物管理系统演示 摘要 随着我国经济的快速发展&#xff0c;人民生活水平的不断提高&#xff0c;宠物逐渐成为许多宠物爱好者的一种生活方式。 宠物的品种也越来越多样化&#xff0c;宠物不仅能给生活带来乐趣还可以成为空巢老人&#xff0c;独生子女很…

Mysql 查看表注释或字段注释

查看所有表的注释 SELECT table_name 表名, table_comment 表说明 FROM information_schema.TABLES WHERE table_schema ‘数据库名’ ORDER BY table_name 查询所有表及字段的注释 SELECT a.table_name 表名, a.table_comment 表说明, b.COLUMN_NAME 字段名, b.column_commen…