分享

Ceilometer项目源码分析----ceilometer-agent-notification服务的初始化和启动

坎蒂丝_Swan 发表于 2014-12-14 19:06:41 [显示全部楼层] 回帖奖励 阅读模式 关闭右栏 0 24452
本帖最后由 坎蒂丝_Swan 于 2014-12-14 19:45 编辑

问题导读
问题1:服务ceilometer-agent-notification的初始化操作实现了哪些操作?
问题2:服务ceilometer-agent-notification的启动操作实现了哪些任务?








ceilometer-agent-notification服务的初始化和启动

    本篇帖子将解析服务组件ceilometer-agent-compute的初始化和启动操作。ceilometer-agent-notification服务组件实现访问oslo-messaging,openstack中各个模块都会推送通知(notification)信息到oslo-messaging消息框架,ceilometer-agent-notification通过访问这个消息队列服务框架,获取相关通知信息,并进一步转化为采样数据的格式。从消息队列服务框架获取通知信息,并进一步获取采样数据信息,可以理解为被动获取监控数据操作,需要一直监听oslo-messaging消息队列。

    来看方法/ceilometer/cli.py----def agent_notification,这个方法即实现了ceilometer-agent-notification服务的初始化和启动操作。

  1. def agent_notification():  
  2.     service.prepare_service()  
  3.     launcher = os_service.ProcessLauncher()  
  4.     launcher.launch_service(  
  5.         notification.NotificationService(cfg.CONF.host,'ceilometer.agent.notification'),  
  6.         # workers默认值为1;  
  7.         workers=service.get_workers('notification'))  
  8.     launcher.wait()  
复制代码

1 服务ceilometer-agent-notification的初始化操作
服务ceilometer-agent-notification的初始化操作主要实现了以下内容的操作:

(1)若干参数的初始化,定义了所要监听序列的host和topic;

(2)建立线程池,用于后续服务中若干操作的运行;

class Service(service.Service)----def __init__

  1. class Service(service.Service):  
  2.     def __init__(self, host, topic, manager=None, serializer=None):  
  3.         """
  4.         NotificationService(cfg.CONF.host,'ceilometer.agent.notification')
  5.         host:cfg.CONF.host
  6.         topic:'ceilometer.agent.notification'
  7.         """  
  8.         super(Service, self).__init__()  
  9.         self.host = host  
  10.         self.topic = topic  
  11.         self.serializer = serializer  
  12.         if manager is None:  
  13.             self.manager = self  
  14.         else:  
  15.             self.manager = manager  
复制代码

class Service(object)----def __init__
  1. class Service(object):  
  2.     def __init__(self, threads=1000):  
  3.         self.tg = threadgroup.ThreadGroup(threads)  
  4.         self._done = event.Event()  
复制代码


2 服务ceilometer-agent-notification的启动操作

服务ceilometer-agent-notification的启动操作实现了以下任务:

(1)加载命名空间'ceilometer.dispatcher'中的插件;


(2)为RPC通信建立到信息总线的连接,建立指定类型的消息消费者;

(3)启动协程实现启动启动消费者线程,等待并消费处理队列'ceilometer.agent.notification'中的消息;

(4)连接到消息总线来获取通知信息;实际上就是实现监听oslo-messaging消息框架中compute/image/network/heat/cinder等服务的队列;

(5)从队列中获取通知信息,将通知转换程采样数据的格式,然后进行采样数据的发布操作;从通知获取采样数据信息,可以理解为被动获取数据操作;

class NotificationService----def start

  1. class NotificationService(service.DispatchedService, rpc_service.Service):  
  2.     NOTIFICATION_NAMESPACE = 'ceilometer.notification'  
  3.     def start(self):  
  4.         super(NotificationService, self).start()  
  5.         # Add a dummy thread to have wait() working  
  6.         self.tg.add_timer(604800, lambda: None)  
复制代码


class DispatchedService----def start

加载命名空间'ceilometer.dispatcher'中的插件:
ceilometer.dispatcher =
    database = ceilometer.dispatcher.database:DatabaseDispatcher
    file = ceilometer.dispatcher.file:FileDispatcher


  1. class DispatchedService(object):  
  2.     DISPATCHER_NAMESPACE = 'ceilometer.dispatcher'  
  3.     def start(self):  
  4.         """
  5.         加载命名空间'ceilometer.dispatcher'中的插件:
  6.         ceilometer.dispatcher =
  7.         database = ceilometer.dispatcher.database:DatabaseDispatcher
  8.         file = ceilometer.dispatcher.file:FileDispatcher
  9.         """  
  10.         super(DispatchedService, self).start()  
  11.         LOG.debug(_('loading dispatchers from %s'),  
  12.                   self.DISPATCHER_NAMESPACE)  
  13.          
  14.         self.dispatcher_manager = named.NamedExtensionManager(  
  15.             # self.DISPATCHER_NAMESPACE = ceilometer.dispatcher  
  16.             namespace=self.DISPATCHER_NAMESPACE,  
  17.             # cfg.CONF.dispatcher = ['database']  
  18.             names=cfg.CONF.dispatcher,  
  19.             invoke_on_load=True,  
  20.             invoke_args=[cfg.CONF])  
  21.         if not list(self.dispatcher_manager):  
  22.             LOG.warning(_('Failed to load any dispatchers for %s'),  
  23.                         self.DISPATCHER_NAMESPACE)  
复制代码

class Service(service.Service)----def start

这个方法主要完成了以下步骤的内容操作:

(1)为RPC通信建立到信息总线的连接,建立指定类型的消息消费者;

(2)启动协程实现启动启动消费者线程,等待并消费处理队列'ceilometer.agent.notification'中的消息;

(3)连接到消息总线来获取通知信息;实际上就是实现监听oslo-messaging消息框架中compute/image/network/heat/cinder等服务的队列;

(4)从队列中获取通知信息,将通知转换程采样数据的格式,然后进行采样数据的发布操作;从通知获取采样数据信息,可以理解为被动获取数据操作;

注:第(3)(4)步骤是通过执行方法initialize_service_hook实现的;


  1. class Service(service.Service):  
  2.     def start(self):  
  3.         """
  4.         为RPC通信建立到信息总线的连接;
  5.         1.建立指定类型的消息消费者;        
  6.         2.执行方法initialize_service_hook;
  7.         3.启动协程实现等待并消费处理队列中的消息;
  8.         """  
  9.         super(Service, self).start()  
  10.   
  11.         """
  12.         为RPC通信建立到信息总线的连接;
  13.         建立一个新的连接,或者从连接池中获取一个;
  14.         """  
  15.         self.conn = rpc.create_connection(new=True)  
  16.         LOG.debug(_("Creating Consumer connection for Service %s") %  
  17.                   self.topic)  
  18.   
  19.         """
  20.         RpcDispatcher:RPC消息调度类;
  21.         """  
  22.         dispatcher = rpc_dispatcher.RpcDispatcher([self.manager],  
  23.                                                   self.serializer)  
  24.   
  25.         # Share this same connection for these Consumers  
  26.         """
  27.         create_consumer:建立指定类型的消息消费者(fanout or topic);
  28.         1.创建以服务的topic为路由键的消费者;
  29.         2.创建以服务的topic和本机名为路由键的消费者
  30.           (基于topic&host,可用来接收定向消息);
  31.         3.fanout直接投递消息,不进行匹配,速度最快
  32.           (fanout类型,可用于接收广播消息);
  33.         """  
  34.         self.conn.create_consumer(self.topic, dispatcher, fanout=False)  
  35.         node_topic = '%s.%s' % (self.topic, self.host)  
  36.         self.conn.create_consumer(node_topic, dispatcher, fanout=False)  
  37.         self.conn.create_consumer(self.topic, dispatcher, fanout=True)  
  38.   
  39.         # Hook to allow the manager to do other initializations after  
  40.         # the rpc connection is created.  
  41.         """
  42.         在消息消费进程启动前,必须先声明消费者;
  43.         建立一个'topic'类型的消息消费者;
  44.         根据消费者类(TopicConsumer)和消息队列名称
  45.         (pool_name:  ceilometer.collector.metering)
  46.         以及指定主题topic(metering)建立消息消费者,并加入消费者列表;
  47.         """  
  48.         if callable(getattr(self.manager, 'initialize_service_hook', None)):  
  49.             self.manager.initialize_service_hook(self)  
  50.   
  51.         """
  52.         启动消费者线程;
  53.         consume_in_thread用evelent.spawn创建一个协程一直运行;
  54.         等待消息,在有消费到来时会创建新的协程运行远程调用的函数;
  55.         启动协程实现等待并消费处理队列中的消息;
  56.         """  
  57.         self.conn.consume_in_thread()  
复制代码


下面来重点分析方法class NotificationService----def initialize_service_hook,这个方法主要实现以下步骤的内容操作:

1.获取与命名空间ceilometer.event.trait_plugin相匹配的所有插件,并加载;
  ceilometer.event.trait_plugin =
      split = ceilometer.event.trait_plugins:SplitterTraitPlugin
      bitfield = ceilometer.event.trait_plugins:BitfieldTraitPlugin

2.获取与命名空间ceilometer.notification相匹配的所有插件,并加载;
  ceilometer.notification =
      instance = ceilometer.compute.notifications.instance:Instance
      ......
      stack_crud = ceilometer.orchestration.notifications:StackCRUD
  这些插件描述了针对各个监控项,如何从对应的通知中获取相关监控信息并形成采样格式;

3.连接到消息总线来获取通知信息;
  实际上就是实现监听oslo-messaging消息框架中compute/image/network/heat/cinder等服务的队列;
  从队列中获取通知信息,将通知转换程采样数据的格式,然后进行采样数据的发布操作;

class NotificationService----def initialize_service_hook

  1. class NotificationService(service.DispatchedService, rpc_service.Service):  
  2.     NOTIFICATION_NAMESPACE = 'ceilometer.notification'  
  3.     def initialize_service_hook(self, service):  
  4.         '''''
  5.         主要实现的功能:
  6.         1.加载命名空间'ceilometer.notification'的所有插件:
  7.         2.遍历上述加载的所有插件,均执行方法:_setup_subscription
  8.         注:_setup_subscription:连接到消息总线来获取通知信息;
  9.         实际上就是实现监听oslo-messaging消息框架中compute/image/network/heat/cinder等服务的队列;
  10.         从队列中获取通知信息,将通知转换程采样数据的格式,然后进行采样数据的发布操作;
  11.         从通知获取采样数据信息,可以理解为被动获取数据操作;
  12.         '''  
  13.         self.pipeline_manager = pipeline.setup_pipeline()  
  14.   
  15.         LOG.debug(_('Loading event definitions'))  
  16.          
  17.         """
  18.         extension.ExtensionManager:
  19.         获取与namespace(ceilometer.event.trait_plugin)相匹配的所有插件,并加载;
  20.         ceilometer.event.trait_plugin =
  21.         split = ceilometer.event.trait_plugins:SplitterTraitPlugin
  22.         bitfield = ceilometer.event.trait_plugins:BitfieldTraitPlugin
  23.         """  
  24.         self.event_converter = event_converter.setup_events(  
  25.             extension.ExtensionManager(  
  26.                 namespace='ceilometer.event.trait_plugin'))  
  27.   
  28.         """
  29.         NOTIFICATION_NAMESPACE = 'ceilometer.notification'
  30.         加载命名空间'ceilometer.notification'的插件:
  31.         """  
  32.         self.notification_manager = \  
  33.             extension.ExtensionManager(  
  34.                 namespace=self.NOTIFICATION_NAMESPACE,  
  35.                 invoke_on_load=True,  
  36.             )  
  37.   
  38.         if not list(self.notification_manager):  
  39.             LOG.warning(_('Failed to load any notification handlers for %s'),  
  40.                         self.NOTIFICATION_NAMESPACE)  
  41.          
  42.         """
  43.         连接到消息总线来获取通知信息;
  44.         实际上就是实现监听oslo-messaging消息框架中compute/image/network/heat/cinder等服务的队列;
  45.         从队列中获取通知信息,将通知转换程采样数据的格式,然后进行采样数据的发布操作;
  46.         从通知获取采样数据信息,可以理解为被动获取数据操作;
  47.          
  48.         遍历上述加载的所有插件,均执行方法:
  49.         def _setup_subscription(ext, *args, **kwds)
  50.         其中ext即为遍历的上述加载的插件;
  51.         """  
  52.         self.notification_manager.map(self._setup_subscription)
复制代码
上述代码主要实现了三部分的内容,下面来进行细致的分析;


步骤1:

  1. self.event_converter = event_converter.setup_events(  
  2.     extension.ExtensionManager(  
  3.         namespace='ceilometer.event.trait_plugin'))  
复制代码

这里主要实现获取与命名空间ceilometer.event.trait_plugin相匹配的所有插件,并加载;
ceilometer.event.trait_plugin =
        split = ceilometer.event.trait_plugins:SplitterTraitPlugin
        bitfield = ceilometer.event.trait_plugins:BitfieldTraitPlugin

步骤2:

  1. self.notification_manager = \  
  2.     extension.ExtensionManager(  
  3.         namespace=self.NOTIFICATION_NAMESPACE,  
  4.         invoke_on_load=True,  
  5.     )  
复制代码

这里主要实现获取与命名空间ceilometer.notification相匹配的所有插件,并加载;
ceilometer.notification =
        instance = ceilometer.compute.notifications.instance:Instance
        instance_flavor = ceilometer.compute.notifications.instance:InstanceFlavor
        instance_delete = ceilometer.compute.notifications.instance:InstanceDelete
        instance_scheduled = ceilometer.compute.notifications.instance:InstanceScheduled
        memory = ceilometer.compute.notifications.instance:Memory
        vcpus = ceilometer.compute.notifications.instance:VCpus
        disk_root_size = ceilometer.compute.notifications.instance:RootDiskSize
        disk_ephemeral_size = ceilometer.compute.notifications.instance:EphemeralDiskSize
        cpu_frequency = ceilometer.compute.notifications.cpu:CpuFrequency
        cpu_user_time = ceilometer.compute.notifications.cpu:CpuUserTime
        cpu_kernel_time = ceilometer.compute.notifications.cpu:CpuKernelTime
        cpu_idle_time = ceilometer.compute.notifications.cpu:CpuIdleTime
        cpu_iowait_time = ceilometer.compute.notifications.cpu:CpuIowaitTime
        cpu_kernel_percent = ceilometer.compute.notifications.cpu:CpuKernelPercent
        cpu_idle_percent = ceilometer.compute.notifications.cpu:CpuIdlePercent
        cpu_user_percent = ceilometer.compute.notifications.cpu:CpuUserPercent
        cpu_iowait_percent = ceilometer.compute.notifications.cpu:CpuIowaitPercent
        cpu_percent = ceilometer.compute.notifications.cpu:CpuPercent
        volume = ceilometer.volume.notifications:Volume
        volume_size = ceilometer.volume.notifications:VolumeSize
        image_crud = ceilometer.image.notifications:ImageCRUD
        image = ceilometer.image.notifications:Image
        image_size = ceilometer.image.notifications:ImageSize
        image_download = ceilometer.image.notifications:ImageDownload
        image_serve = ceilometer.image.notifications:ImageServe
        network = ceilometer.network.notifications:Network
        subnet = ceilometer.network.notifications:Subnet
        port = ceilometer.network.notifications:Port
        router = ceilometer.network.notifications:Router
        floatingip = ceilometer.network.notifications:FloatingIP
        bandwidth = ceilometer.network.notifications:Bandwidth
        http.request = ceilometer.middleware:HTTPRequest
        http.response = ceilometer.middleware:HTTPResponse
        stack_crud = ceilometer.orchestration.notifications:StackCRUD
这些插件描述了针对各个监控项,如何从对应的通知中获取相关监控信息并形成采样格式;

步骤3:

  1. self.notification_manager.map(self._setup_subscription)  
复制代码


这里所实现的功能是:
连接到消息总线来获取通知信息;实际上就是实现监听oslo-messaging消息框架中compute/image/network/heat/cinder等服务的队列;从队列中获取通知信息,将通知转换程采样数据的格式,然后进行采样数据的发布操作;

这条语句的执行操作是遍历命名空间ceilometer.notification的所有插件,均执行方法:

def _setup_subscription(ext, *args, **kwds)

方法_setup_subscription解析:

方法_setup_subscription所实现的功能:

针对上述加载的命名空间ceilometer.notification中的一个插件,执行以下操作:

1.调用方法get_exchange_topics获取插件的ExchangeTopics序列;
class ComputeNotificationBase----def get_exchange_topics;
class ImageBase----def get_exchange_topics;
class NetworkNotificationBase----def get_exchange_topics;
class StackCRUD----def get_exchange_topics;
class _Base(卷)----def get_exchange_topics;
ExchangeTopics序列描述了用于连接到所监听队列的交换器exchange和topics;
经过分析所获取的exchange和topics的值为:
topics = 'notifications.info'指定所要监听的消息队列;
exchange = nova/glance/neutron/heat/cinder来区分获取不同服务的通知信息;

2.遍历所监听的消息队列(暂时只有一个队列notifications.info),实现:

2.1.建立一个'topic'类型的消息消费者;

2.2.监听topic指定的消息队列(notifications.info),当进行消息消费操作的时候,将层层调用,最终实现调用方法self.process_notification,实现将接收到的通知转换成采样数据的格式,并进行发布;

(1)根据不同监控项调用不同插件中的process_notification方法,实现从通知中获取监控项的采样数据信息;

(2)实现发布监控项采样数据样本(File/RPC/UDP);

来看方法_setup_subscription的源码:

  1. def _setup_subscription(self, ext, *args, **kwds):  
  2.     """        
  3.     针对上述加载的命名空间ceilometer.notification中的一个插件,执行以下操作:
  4.     1.调用方法get_exchange_topics获取插件的ExchangeTopics序列;
  5.     class ComputeNotificationBase(plugin.NotificationBase)----def get_exchange_topics;
  6.     class ImageBase(plugin.NotificationBase)----def get_exchange_topics;
  7.     class NetworkNotificationBase(plugin.NotificationBase)----def get_exchange_topics;
  8.     class StackCRUD(plugin.NotificationBase)----def get_exchange_topics;
  9.     class _Base(plugin.NotificationBase)(卷)----def get_exchange_topics;
  10.     ExchangeTopics序列描述了用于连接到所监听队列的交换器exchange和topics;
  11.     经过分析所获取的exchange和topics的值为:
  12.     topics = 'notifications.info'指定所要监听的消息队列;
  13.     exchange = nova/glance/neutron/heat/cinder来区分获取不同服务的通知信息;
  14.     2.遍历所监听的消息队列(暂时只有一个队列notifications.info),实现:
  15.     2<span style="font-family:KaiTi_GB2312;">.</span>1.建立一个'topic'类型的消息消费者;
  16.     2.2.监听topic指定的消息队列(notifications.info),当进行消息消费操作的时候,将层层调用,
  17.     最终实现调用方法self.process_notification,实现将接收到的通知转换成采样数据的格式,并进行发布;
  18.     (1).根据不同监控项和具体插件调用不同的process_notification方法,实现从通知中获取监控项的采样数据信息;
  19.     (2).实现发布监控项采样数据样本(File/RPC/UDP);
  20.     """  
  21.     handler = ext.obj  
  22.       
  23.     """
  24.     default = True
  25.     """  
  26.     ack_on_error = cfg.CONF.notification.ack_on_event_error  
  27.     LOG.debug(_('Event types from %(name)s: %(type)s'  
  28.                 ' (ack_on_error=%(error)s)') %  
  29.               {'name': ext.name,  
  30.                'type': ', '.join(handler.event_types),  
  31.                'error': ack_on_error})  
  32.   
  33.     """
  34.     调用方法get_exchange_topics获取插件的ExchangeTopics序列;
  35.     class ComputeNotificationBase(plugin.NotificationBase)----def get_exchange_topics;
  36.     class ImageBase(plugin.NotificationBase)----def get_exchange_topics;
  37.     class NetworkNotificationBase(plugin.NotificationBase)----def get_exchange_topics;
  38.     class StackCRUD(plugin.NotificationBase)----def get_exchange_topics;
  39.     class _Base(plugin.NotificationBase)(卷)----def get_exchange_topics;
  40.     ExchangeTopics序列描述了用于连接到所监听队列的交换器exchange和topics;
  41.     经过分析所获取的exchange和topics的值为:
  42.     topics = 'notifications.info'指定所要监听的消息队列;
  43.     exchange = nova/glance/neutron/heat/cinder来区分获取不同服务的通知信息;
  44.     """  
  45.     for exchange_topic in handler.get_exchange_topics(cfg.CONF):  
  46.         """
  47.         遍历所监听的消息队列(暂时只有一个队列notifications.info);
  48.         """  
  49.         for topic in exchange_topic.topics:  
  50.             try:           
  51.                 """
  52.                 实现封装方法callback,即self.process_notification;
  53.                 1.建立一个'topic'类型的消息消费者;
  54.                 2.监听topic指定的消息队列(notifications.info),当进行消息消费操作的时候,将层层调用,
  55.                   最终实现调用方法callback_wrapper,即self.process_notification;
  56.                  
  57.                 callback=self.process_notification
  58.                 将接收到的通知转换成采样数据的格式,并进行发布;
  59.                 1.根据不同监控项和具体插件调用不同的process_notification方法,
  60.                   实现从通知中获取监控项的采样数据信息;
  61.                 2.实现发布监控项采样数据样本(File/RPC/UDP);
  62.                 """  
  63.                 self.conn.join_consumer_pool(  
  64.                     # process_notification:将接收到的通知转换成采样数据的格式,并进行发布;  
  65.                     callback=self.process_notification,  
  66.                     pool_name=topic,  
  67.                     topic=topic,  
  68.                     exchange_name=exchange_topic.exchange,  
  69.                     ack_on_error=ack_on_error)  
  70.             except Exception:  
  71.                 LOG.exception(_('Could not join consumer pool'  
  72.                                 ' %(topic)s/%(exchange)s') %  
  73.                               {'topic': topic,  
  74.                                'exchange': exchange_topic.exchange})  
复制代码

接着来看这里所调用的方法process_notification:
  1. def process_notification(self, notification):  
  2.     """
  3.     RPC endpoint for notification messages
  4.     将接收到的通知转换成采样数据的格式,并进行发布;
  5.     1.根据不同监控项和具体插件调用不同的process_notification方法,
  6.       实现从通知中获取监控项的采样数据信息;
  7.     2.实现发布监控项采样数据样本(File/RPC/UDP);
  8.     When another service sends a notification over the message
  9.     bus, this method receives it. See _setup_subscription().
  10.     """  
  11.     LOG.debug(_('notification %r'), notification.get('event_type'))  
  12.       
  13.     """
  14.     _process_notification_for_ext:
  15.     将接收到的通知转换成采样数据的格式,并进行发布;
  16.     1.根据不同监控项和具体插件调用不同的process_notification方法,
  17.       实现从通知中获取监控项的采样数据信息;
  18.     2.实现发布监控项采样数据样本(File/RPC/UDP);
  19.     """  
  20.     self.notification_manager.map(self._process_notification_for_ext,  
  21.                                   notification=notification)  
  22.   
  23.     # cfg.CONF.notification.store_events:默认值为False;  
  24.     if cfg.CONF.notification.store_events:  
  25.         # 转换通知消息到Ceilometer Event;  
  26.         self._message_to_event(notification)  
复制代码

再来看方法_process_notification_for_ext:
  1. def _process_notification_for_ext(self, ext, notification):  
  2.     """
  3.     将接收到的通知转换成采样数据的格式,并进行发布;
  4.     1.根据不同监控项和具体插件调用不同的process_notification方法,
  5.       实现从通知中获取监控项的采样数据信息;
  6.     2.实现发布监控项采样数据样本(File/RPC/UDP);
  7.      
  8.     to_samples:
  9.     根据不同监控项和具体插件调用以下process_notification方法,实现从通知中获取监控项的采样数据信息;
  10.     class ComputeMetricsNotificationBase----def process_notification(self, message)
  11.     class UserMetadataAwareInstanceNotificationBase----def process_notification(self, message)
  12.     class ImageCRUD(ImageCRUDBase)----def process_notification(self, message)
  13.     class Image(ImageCRUDBase)----def process_notification(self, message)
  14.     class ImageSize(ImageCRUDBase)----def process_notification(self, message)
  15.     class ImageDownload(ImageBase)----def process_notification(self, message)
  16.     class ImageServe(ImageBase)----def process_notification(self, message)
  17.     class NetworkNotificationBase(plugin.NotificationBase)----def process_notification(self, message)
  18.     class Bandwidth(NetworkNotificationBase)----def process_notification(self, message)
  19.     class StackCRUD(plugin.NotificationBase)----def process_notification(self, message)
  20.     class Volume(_Base)----def process_notification(self, message)
  21.     class VolumeSize(_Base)----def process_notification(self, message)
  22.     class HTTPRequest(plugin.NotificationBase)----def process_notification(self, message)
  23.     class NotificationService(service.DispatchedService, rpc_service.Service)----def process_notification(self, notification)
  24.      
  25.     publisher:
  26.     实现发布监控项采样数据样本;
  27.     1.class FilePublisher(publisher.PublisherBase)----def publish_samples(self, context, samples);
  28.     实现发布采样数据到一个日志文件;
  29.     2.class RPCPublisher(publisher.PublisherBase)----def publish_samples(self, context, samples);
  30.     通过RPC发布采样数据;
  31.     * 从若干采样数据信息samples中获取提取数据形成信息格式meters,为信息的发布或存储做准备;
  32.     * 将之前从采样数据中提取的信息meters包装成msg;
  33.     * 将匹配的topic,msg添加到本地队列local_queue中,topic默认为metering;
  34.     * 实现发布本地队列local_queue中的所有数据信息到队列metering中;
  35.     * 其中,消息msg中封装的'method'方法为'record_metering_data',即当消息被消费时,将会
  36.       执行方法record_metering_data,实现存储到数据存储系统中(数据库);
  37.     3.class UDPPublisher(publisher.PublisherBase)----def publish_samples(self, context, samples)
  38.     通过UDP发布采样数据;
  39.      
  40.     to_samples:
  41.     根据不同监控项和具体插件调用以下process_notification方法,
  42.     实现从通知中获取监控项的采样数据信息;
  43.     """  
  44.     with self.pipeline_manager.publisher(context.get_admin_context()) as p:  
  45.         # FIXME(dhellmann): Spawn green thread?  
  46.         p(list(ext.obj.to_samples(notification)))  
复制代码

再来看方法to_samples:
  1. def to_samples(self, notification):  
  2.         """
  3.         根据不同监控项和具体插件调用以下process_notification方法,
  4.         实现从通知中获取监控项的采样数据信息;
  5.         class ComputeMetricsNotificationBase----def process_notification(self, message)
  6.         class UserMetadataAwareInstanceNotificationBase----def process_notification(self, message)
  7.         class ImageCRUD(ImageCRUDBase)----def process_notification(self, message)
  8.         class Image(ImageCRUDBase)----def process_notification(self, message)
  9.         class ImageSize(ImageCRUDBase)----def process_notification(self, message)
  10.         class ImageDownload(ImageBase)----def process_notification(self, message)
  11.         class ImageServe(ImageBase)----def process_notification(self, message)
  12.         class NetworkNotificationBase(plugin.NotificationBase)----def process_notification(self, message)
  13.         class Bandwidth(NetworkNotificationBase)----def process_notification(self, message)
  14.         class StackCRUD(plugin.NotificationBase)----def process_notification(self, message)
  15.         class Volume(_Base)----def process_notification(self, message)
  16.         class VolumeSize(_Base)----def process_notification(self, message)
  17.         class HTTPRequest(plugin.NotificationBase)----def process_notification(self, message)
  18.         class NotificationService(service.DispatchedService, rpc_service.Service)----def process_notification(self, notification)
  19.         """  
  20.         if self._handle_event_type(notification['event_type'],  
  21.                                    self.event_types):  
  22.             return self.process_notification(notification)  
  23.         return []  
复制代码


同样,这里实现监控信息发布操作可选取三种模式RPC/UDP/FILE:

模式1:实现发布采样数据到一个日志文件

  1. class FilePublisher(publisher.PublisherBase):   
  2.     def publish_samples(self, context, samples):   
  3.         if self.publisher_logger:   
  4.             for sample in samples:   
  5.                 self.publisher_logger.info(sample.as_dict())   
复制代码

模式2:通过RPC发布采样数据(具体见代码注释)
  1. class RPCPublisher(publisher.PublisherBase):   
  2.     def publish_samples(self, context, samples):   
  3.         """  
  4.         通过RPC发布信息;  
  5.         1.从若干采样数据信息samples中获取提取数据形成信息格式meters,为信息的发布或存储做准备;  
  6.         2.将之前从采样数据中提取的信息meters包装成msg;  
  7.         3.将匹配的topic,msg添加到本地队列local_queue中,topic默认为metering;  
  8.         4.实现发布本地队列local_queue中的所有数据信息到队列metering中;  
  9.         5.其中,消息msg中封装的'method'方法为'record_metering_data',即当消息被消费时,将会  
  10.           执行方法record_metering_data,实现存储到数据存储系统中(数据库);  
  11.         """   
  12.         
  13.         # 从若干采样数据信息中获取提取数据形成信息格式,为信息的发布或存储做准备;   
  14.         meters = [   
  15.             # meter_message_from_counter:   
  16.             # 为一个监控采样数据做好准备被发布或存储;   
  17.             # 从一个采样数据信息中获取提取信息形成msg;   
  18.             utils.meter_message_from_counter(   
  19.                 sample,   
  20.                 cfg.CONF.publisher.metering_secret)   
  21.             for sample in samples   
  22.         ]   
  23.         
  24.         # cfg.CONF.publisher_rpc.metering_topic:metering messages所使用的主题,默认为metering;   
  25.         topic = cfg.CONF.publisher_rpc.metering_topic   
  26.                
  27.         # 将之前从采样数据中提取的信息meters包装成msg;   
  28.         msg = {   
  29.             'method': self.target,   
  30.             'version': '1.0',   
  31.             'args': {'data': meters},   
  32.         }   
  33.                
  34.         # 将匹配的topic,msg添加到本地队列local_queue中,topic默认为metering;   
  35.         self.local_queue.append((context, topic, msg))   
  36.         
  37.         if self.per_meter_topic:   
  38.             for meter_name, meter_list in itertools.groupby(   
  39.                     sorted(meters, key=operator.itemgetter('counter_name')),   
  40.                     operator.itemgetter('counter_name')):   
  41.                 msg = {   
  42.                     'method': self.target,   
  43.                     'version': '1.0',   
  44.                     'args': {'data': list(meter_list)},   
  45.                 }   
  46.                 topic_name = topic + '.' + meter_name   
  47.                 LOG.audit(_('Publishing %(m)d samples on %(n)s') % (   
  48.                           {'m': len(msg['args']['data']), 'n': topic_name}))   
  49.                 self.local_queue.append((context, topic_name, msg))   
  50.         
  51.         # 实现发布本地队列local_queue中的所有数据信息;   
  52.         self.flush()  
复制代码
  1. def flush(self):   
  2.     """  
  3.     实现发布本地队列中的所有数据信息;  
  4.     """            
  5.     # 获取本地队列的数据信息;   
  6.     queue = self.local_queue   
  7.     self.local_queue = []   
  8.                
  9.     # 实现循环发布队列queue中的信息数据;   
  10.     self.local_queue = self._process_queue(queue, self.policy) + \self.local_queue   
  11.                
  12.     if self.policy == 'queue':   
  13.         self._check_queue_length()
复制代码
  1. @staticmethod   
  2. def _process_queue(queue, policy):   
  3.     """  
  4.     实现循环发布队列queue中的信息数据;  
  5.     """   
  6.     while queue:   
  7.         # 取出第一位的topic、msg等数据;   
  8.         context, topic, msg = queue[0]   
  9.         try:   
  10.             # 实现远程发布信息,不返回任何值;   
  11.             rpc.cast(context, topic, msg)   
  12.         except (SystemExit, rpc.common.RPCException):   
  13.             samples = sum([len(m['args']['data']) for n, n, m in queue])   
  14.             if policy == 'queue':   
  15.                 LOG.warn(_("Failed to publish %d samples, queue them"),samples)   
  16.                 return queue   
  17.             elif policy == 'drop':   
  18.                 LOG.warn(_("Failed to publish %d samples, dropping them"),samples)   
  19.                 return []   
  20.             # default, occur only if rabbit_max_retries > 0   
  21.             raise   
  22.         else:   
  23.             # 从队列中删除发布后的信息;   
  24.             queue.pop(0)   
  25.     return []  
复制代码

模式3:通过UDP发布采样数据(具体见代码注释)
  1. class UDPPublisher(publisher.PublisherBase):   
  2.     def publish_samples(self, context, samples):   
  3.         """  
  4.         通过UDP协议发送meter信息到服务器端,实现监控信息的发布;  
  5.         """   
  6.         for sample in samples:   
  7.             """  
  8.             为一个监控采样数据做好准备被发布或存储;  
  9.             从一个采样数据信息中获取提取信息形成msg;  
  10.             """   
  11.             msg = utils.meter_message_from_counter(   
  12.                 sample,   
  13.                 cfg.CONF.publisher.metering_secret)   
  14.             host = self.host   
  15.             port = self.port   
  16.             LOG.debug(_("Publishing sample %(msg)s over UDP to "   
  17.                         "%(host)s:%(port)d") % {'msg': msg, 'host': host,'port': port})   
  18.             """  
  19.             通过UDP协议发送meter信息到服务器端,实现监控信息的发布;  
  20.             """   
  21.             try:   
  22.                 self.socket.sendto(msgpack.dumps(msg),(self.host, self.port))   
  23.             except Exception as e:   
  24.                 LOG.warn(_("Unable to send sample over UDP"))   
  25.                 LOG.exception(e)  
复制代码






Ceilometer项目源码分析----ceilometer项目源码结构分析
Ceilometer项目源码分析----ceilometer报警器服务的实现概览
Ceilometer项目源码分析----ceilometer报警器状态评估方式
Ceilometer项目源码分析----ceilometer分布式报警系统的具体实现
Ceilometer项目源码分析----ceilometer-alarm-notifier服务的初始化和启动
Ceilometer项目源码分析----ceilometer-alarm-evaluator服务的初始化和启动
Ceilometer项目源码分析----ceilometer-agent-central服务的初始化和启动
Ceilometer项目源码分析----ceilometer-agent-compute服务的初始化和启动
Ceilometer项目源码分析----ceilometer-agent-notification服务的初始化和启动
Ceilometer项目源码分析----ceilometer-collector服务的初始化和启动







欢迎加入about云群90371779322273151432264021 ,云计算爱好者群,亦可关注about云腾讯认证空间||关注本站微信

没找到任何评论,期待你打破沉寂

您需要登录后才可以回帖 登录 | 立即注册

本版积分规则

关闭

推荐上一条 /2 下一条