bt2: update comment about bt2._UserMessageIterator
[babeltrace.git] / src / bindings / python / bt2 / bt2 / component.py
1 # SPDX-License-Identifier: MIT
2 #
3 # Copyright (c) 2017 Philippe Proulx <pproulx@efficios.com>
4
5 from bt2 import native_bt, object, utils
6 from bt2 import message_iterator as bt2_message_iterator
7 import collections.abc
8 from bt2 import value as bt2_value
9 from bt2 import trace_class as bt2_trace_class
10 from bt2 import clock_class as bt2_clock_class
11 from bt2 import query_executor as bt2_query_executor
12 from bt2 import port as bt2_port
13 import sys
14 import bt2
15
16
17 # This class wraps a component class pointer. This component class could
18 # have been created by Python code, but since we only have the pointer,
19 # we can only wrap it in a generic way and lose the original Python
20 # class.
21 #
22 # Subclasses must implement some methods that this base class uses:
23 #
24 # - _bt_as_component_class_ptr: static method, convert the passed component class
25 # pointer to a 'bt_component_class *'.
26
27
28 class _ComponentClassConst(object._SharedObject):
29 @property
30 def name(self):
31 ptr = self._bt_as_component_class_ptr(self._ptr)
32 name = native_bt.component_class_get_name(ptr)
33 assert name is not None
34 return name
35
36 @property
37 def description(self):
38 ptr = self._bt_as_component_class_ptr(self._ptr)
39 return native_bt.component_class_get_description(ptr)
40
41 @property
42 def help(self):
43 ptr = self._bt_as_component_class_ptr(self._ptr)
44 return native_bt.component_class_get_help(ptr)
45
46 def _bt_component_class_ptr(self):
47 return self._bt_as_component_class_ptr(self._ptr)
48
49 def __eq__(self, other):
50 if not isinstance(other, _ComponentClassConst):
51 try:
52 if not issubclass(other, _UserComponent):
53 return False
54 except TypeError:
55 return False
56
57 return self.addr == other.addr
58
59
60 class _SourceComponentClassConst(_ComponentClassConst):
61 _get_ref = staticmethod(native_bt.component_class_source_get_ref)
62 _put_ref = staticmethod(native_bt.component_class_source_put_ref)
63 _bt_as_component_class_ptr = staticmethod(
64 native_bt.component_class_source_as_component_class
65 )
66
67
68 class _FilterComponentClassConst(_ComponentClassConst):
69 _get_ref = staticmethod(native_bt.component_class_filter_get_ref)
70 _put_ref = staticmethod(native_bt.component_class_filter_put_ref)
71 _bt_as_component_class_ptr = staticmethod(
72 native_bt.component_class_filter_as_component_class
73 )
74
75
76 class _SinkComponentClassConst(_ComponentClassConst):
77 _get_ref = staticmethod(native_bt.component_class_sink_get_ref)
78 _put_ref = staticmethod(native_bt.component_class_sink_put_ref)
79 _bt_as_component_class_ptr = staticmethod(
80 native_bt.component_class_sink_as_component_class
81 )
82
83
84 class _PortIterator(collections.abc.Iterator):
85 def __init__(self, comp_ports):
86 self._comp_ports = comp_ports
87 self._at = 0
88
89 def __next__(self):
90 if self._at == len(self._comp_ports):
91 raise StopIteration
92
93 comp_ports = self._comp_ports
94 comp_ptr = comp_ports._component_ptr
95
96 port_ptr = comp_ports._borrow_port_ptr_at_index(comp_ptr, self._at)
97 assert port_ptr is not None
98
99 name = native_bt.port_get_name(comp_ports._port_pycls._as_port_ptr(port_ptr))
100 assert name is not None
101
102 self._at += 1
103 return name
104
105
106 class _ComponentPorts(collections.abc.Mapping):
107
108 # component_ptr is a bt_component_source *, bt_component_filter * or
109 # bt_component_sink *. Its type must match the type expected by the
110 # functions passed as arguments.
111
112 def __init__(
113 self,
114 component_ptr,
115 borrow_port_ptr_by_name,
116 borrow_port_ptr_at_index,
117 get_port_count,
118 port_pycls,
119 ):
120 self._component_ptr = component_ptr
121 self._borrow_port_ptr_by_name = borrow_port_ptr_by_name
122 self._borrow_port_ptr_at_index = borrow_port_ptr_at_index
123 self._get_port_count = get_port_count
124 self._port_pycls = port_pycls
125
126 def __getitem__(self, key):
127 utils._check_str(key)
128 port_ptr = self._borrow_port_ptr_by_name(self._component_ptr, key)
129
130 if port_ptr is None:
131 raise KeyError(key)
132
133 return self._port_pycls._create_from_ptr_and_get_ref(port_ptr)
134
135 def __len__(self):
136 count = self._get_port_count(self._component_ptr)
137 assert count >= 0
138 return count
139
140 def __iter__(self):
141 return _PortIterator(self)
142
143
144 # This class holds the methods which are common to both generic
145 # component objects and Python user component objects.
146 #
147 # Subclasses must provide these methods or property:
148 #
149 # - _bt_borrow_component_class_ptr: static method, must return a pointer to the
150 # specialized component class (e.g. 'bt_component_class_sink *') of the
151 # passed specialized component pointer (e.g. 'bt_component_sink *').
152 # - _bt_comp_cls_type: property, one of the native_bt.COMPONENT_CLASS_TYPE_*
153 # constants.
154 # - _bt_as_component_ptr: static method, must return the passed specialized
155 # component pointer (e.g. 'bt_component_sink *') as a 'bt_component *'.
156
157
158 class _ComponentConst:
159 @property
160 def name(self):
161 ptr = self._bt_as_component_ptr(self._ptr)
162 name = native_bt.component_get_name(ptr)
163 assert name is not None
164 return name
165
166 @property
167 def logging_level(self):
168 ptr = self._bt_as_component_ptr(self._ptr)
169 return native_bt.component_get_logging_level(ptr)
170
171 @property
172 def cls(self):
173 cc_ptr = self._bt_borrow_component_class_ptr(self._ptr)
174 assert cc_ptr is not None
175 return _create_component_class_from_const_ptr_and_get_ref(
176 cc_ptr, self._bt_comp_cls_type
177 )
178
179 def __eq__(self, other):
180 if not hasattr(other, 'addr'):
181 return False
182
183 return self.addr == other.addr
184
185
186 class _SourceComponentConst(_ComponentConst):
187 _bt_borrow_component_class_ptr = staticmethod(
188 native_bt.component_source_borrow_class_const
189 )
190 _bt_comp_cls_type = native_bt.COMPONENT_CLASS_TYPE_SOURCE
191 _bt_as_component_class_ptr = staticmethod(
192 native_bt.component_class_source_as_component_class
193 )
194 _bt_as_component_ptr = staticmethod(native_bt.component_source_as_component_const)
195
196
197 class _FilterComponentConst(_ComponentConst):
198 _bt_borrow_component_class_ptr = staticmethod(
199 native_bt.component_filter_borrow_class_const
200 )
201 _bt_comp_cls_type = native_bt.COMPONENT_CLASS_TYPE_FILTER
202 _bt_as_component_class_ptr = staticmethod(
203 native_bt.component_class_filter_as_component_class
204 )
205 _bt_as_component_ptr = staticmethod(native_bt.component_filter_as_component_const)
206
207
208 class _SinkComponentConst(_ComponentConst):
209 _bt_borrow_component_class_ptr = staticmethod(
210 native_bt.component_sink_borrow_class_const
211 )
212 _bt_comp_cls_type = native_bt.COMPONENT_CLASS_TYPE_SINK
213 _bt_as_component_class_ptr = staticmethod(
214 native_bt.component_class_sink_as_component_class
215 )
216 _bt_as_component_ptr = staticmethod(native_bt.component_sink_as_component_const)
217
218
219 # This is analogous to _SourceComponentClassConst, but for source
220 # component objects.
221 class _GenericSourceComponentConst(object._SharedObject, _SourceComponentConst):
222 _get_ref = staticmethod(native_bt.component_source_get_ref)
223 _put_ref = staticmethod(native_bt.component_source_put_ref)
224
225 @property
226 def output_ports(self):
227 return _ComponentPorts(
228 self._ptr,
229 native_bt.component_source_borrow_output_port_by_name_const,
230 native_bt.component_source_borrow_output_port_by_index_const,
231 native_bt.component_source_get_output_port_count,
232 bt2_port._OutputPortConst,
233 )
234
235
236 # This is analogous to _FilterComponentClassConst, but for filter
237 # component objects.
238 class _GenericFilterComponentConst(object._SharedObject, _FilterComponentConst):
239 _get_ref = staticmethod(native_bt.component_filter_get_ref)
240 _put_ref = staticmethod(native_bt.component_filter_put_ref)
241
242 @property
243 def output_ports(self):
244 return _ComponentPorts(
245 self._ptr,
246 native_bt.component_filter_borrow_output_port_by_name_const,
247 native_bt.component_filter_borrow_output_port_by_index_const,
248 native_bt.component_filter_get_output_port_count,
249 bt2_port._OutputPortConst,
250 )
251
252 @property
253 def input_ports(self):
254 return _ComponentPorts(
255 self._ptr,
256 native_bt.component_filter_borrow_input_port_by_name_const,
257 native_bt.component_filter_borrow_input_port_by_index_const,
258 native_bt.component_filter_get_input_port_count,
259 bt2_port._InputPortConst,
260 )
261
262
263 # This is analogous to _SinkComponentClassConst, but for sink
264 # component objects.
265 class _GenericSinkComponentConst(object._SharedObject, _SinkComponentConst):
266 _get_ref = staticmethod(native_bt.component_sink_get_ref)
267 _put_ref = staticmethod(native_bt.component_sink_put_ref)
268
269 @property
270 def input_ports(self):
271 return _ComponentPorts(
272 self._ptr,
273 native_bt.component_sink_borrow_input_port_by_name_const,
274 native_bt.component_sink_borrow_input_port_by_index_const,
275 native_bt.component_sink_get_input_port_count,
276 bt2_port._InputPortConst,
277 )
278
279
280 _COMP_CLS_TYPE_TO_GENERIC_COMP_PYCLS = {
281 native_bt.COMPONENT_CLASS_TYPE_SOURCE: _GenericSourceComponentConst,
282 native_bt.COMPONENT_CLASS_TYPE_FILTER: _GenericFilterComponentConst,
283 native_bt.COMPONENT_CLASS_TYPE_SINK: _GenericSinkComponentConst,
284 }
285
286
287 _COMP_CLS_TYPE_TO_GENERIC_COMP_CLS_PYCLS = {
288 native_bt.COMPONENT_CLASS_TYPE_SOURCE: _SourceComponentClassConst,
289 native_bt.COMPONENT_CLASS_TYPE_FILTER: _FilterComponentClassConst,
290 native_bt.COMPONENT_CLASS_TYPE_SINK: _SinkComponentClassConst,
291 }
292
293
294 # Create a component Python object of type _GenericSourceComponentConst,
295 # _GenericFilterComponentConst or _GenericSinkComponentConst, depending on
296 # comp_cls_type.
297 #
298 # Steals the reference to ptr from the caller.
299
300
301 def _create_component_from_const_ptr(ptr, comp_cls_type):
302 return _COMP_CLS_TYPE_TO_GENERIC_COMP_PYCLS[comp_cls_type]._create_from_ptr(ptr)
303
304
305 # Same as the above, but acquire a new reference instead of stealing the
306 # reference from the caller.
307
308
309 def _create_component_from_const_ptr_and_get_ref(ptr, comp_cls_type):
310 return _COMP_CLS_TYPE_TO_GENERIC_COMP_PYCLS[
311 comp_cls_type
312 ]._create_from_ptr_and_get_ref(ptr)
313
314
315 # Create a component class Python object of type
316 # _SourceComponentClassConst, _FilterComponentClassConst or
317 # _SinkComponentClassConst, depending on comp_cls_type.
318 #
319 # Acquires a new reference to ptr.
320
321
322 def _create_component_class_from_const_ptr_and_get_ref(ptr, comp_cls_type):
323 return _COMP_CLS_TYPE_TO_GENERIC_COMP_CLS_PYCLS[
324 comp_cls_type
325 ]._create_from_ptr_and_get_ref(ptr)
326
327
328 def _trim_docstring(docstring):
329 lines = docstring.expandtabs().splitlines()
330 indent = sys.maxsize
331
332 for line in lines[1:]:
333 stripped = line.lstrip()
334
335 if stripped:
336 indent = min(indent, len(line) - len(stripped))
337
338 trimmed = [lines[0].strip()]
339
340 if indent < sys.maxsize:
341 for line in lines[1:]:
342 trimmed.append(line[indent:].rstrip())
343
344 while trimmed and not trimmed[-1]:
345 trimmed.pop()
346
347 while trimmed and not trimmed[0]:
348 trimmed.pop(0)
349
350 return '\n'.join(trimmed)
351
352
353 # Metaclass for component classes defined by Python code.
354 #
355 # The Python user can create a standard Python class which inherits one
356 # of the three base classes (_UserSourceComponent, _UserFilterComponent,
357 # or _UserSinkComponent). Those base classes set this class
358 # (_UserComponentType) as their metaclass.
359 #
360 # Once the body of a user-defined component class is executed, this
361 # metaclass is used to create and initialize the class. The metaclass
362 # creates a native BT component class of the corresponding type and
363 # associates it with this user-defined class. The metaclass also defines
364 # class methods like the `name` and `description` properties to match
365 # the _ComponentClassConst interface.
366 #
367 # The component class name which is used is either:
368 #
369 # * The `name` parameter of the class:
370 #
371 # class MySink(bt2.SinkComponent, name='my-custom-sink'):
372 # ...
373 #
374 # * If the `name` class parameter is not used: the name of the class
375 # itself (`MySink` in the example above).
376 #
377 # The component class description which is used is the user-defined
378 # class's docstring:
379 #
380 # class MySink(bt2.SinkComponent):
381 # 'Description goes here'
382 # ...
383 #
384 # A user-defined Python component class can have an __init__() method
385 # which must accept the following parameters:
386 #
387 # def __init__(self, config, params, obj):
388 # ...
389 #
390 # The value of the `obj` parameter is what was passed as the `obj`
391 # parameter if the component was instantiated from Python with
392 # Graph.add_component(). If the component was not instantiated from
393 # Python, is is always `None`.
394 #
395 # The user-defined component class can also have a _user_finalize()
396 # method (do NOT use __del__()) to be notified when the component object
397 # is finalized.
398 #
399 # User-defined source and filter component classes must use the
400 # `message_iterator_class` class parameter to specify the
401 # message iterator class to use for this component class:
402 #
403 # class MyMessageIterator(bt2._UserMessageIterator):
404 # ...
405 #
406 # class MySource(bt2._UserSourceComponent,
407 # message_iterator_class=MyMessageIterator):
408 # ...
409 #
410 # This message iterator class must inherit bt2._UserMessageIterator.
411 # It can implement the __init__() method, which must accept the
412 # following parameters:
413 #
414 # def __init__(self, config, port):
415 # ...
416 #
417 # It can also implement the __next__() and _user_finalize() methods
418 # (again, do NOT use __del__()), which don't accept any parameters
419 # other than `self`.
420 #
421 # When the user-defined class is destroyed, this metaclass's __del__()
422 # method is called: the native BT component class pointer is put (not
423 # needed anymore, at least not by any Python code since all references
424 # are dropped for __del__() to be called).
425 class _UserComponentType(type):
426 # __new__() is used to catch custom class parameters
427 def __new__(meta_cls, class_name, bases, attrs, **kwargs):
428 return super().__new__(meta_cls, class_name, bases, attrs)
429
430 def __init__(cls, class_name, bases, namespace, **kwargs):
431 super().__init__(class_name, bases, namespace)
432
433 # skip our own bases; they are never directly instantiated by the user
434 own_bases = (
435 '_UserComponent',
436 '_UserFilterSinkComponent',
437 '_UserSourceComponent',
438 '_UserFilterComponent',
439 '_UserSinkComponent',
440 )
441
442 if class_name in own_bases:
443 return
444
445 comp_cls_name = kwargs.get('name', class_name)
446 utils._check_str(comp_cls_name)
447 comp_cls_descr = None
448 comp_cls_help = None
449
450 if hasattr(cls, '__doc__') and cls.__doc__ is not None:
451 utils._check_str(cls.__doc__)
452 docstring = _trim_docstring(cls.__doc__)
453 lines = docstring.splitlines()
454
455 if len(lines) >= 1:
456 comp_cls_descr = lines[0]
457
458 if len(lines) >= 3:
459 comp_cls_help = '\n'.join(lines[2:])
460
461 iter_cls = kwargs.get('message_iterator_class')
462
463 if _UserSourceComponent in bases:
464 _UserComponentType._bt_set_iterator_class(cls, iter_cls)
465 cc_ptr = native_bt.bt2_component_class_source_create(
466 cls, comp_cls_name, comp_cls_descr, comp_cls_help
467 )
468 elif _UserFilterComponent in bases:
469 _UserComponentType._bt_set_iterator_class(cls, iter_cls)
470 cc_ptr = native_bt.bt2_component_class_filter_create(
471 cls, comp_cls_name, comp_cls_descr, comp_cls_help
472 )
473 elif _UserSinkComponent in bases:
474 if not hasattr(cls, '_user_consume'):
475 raise bt2._IncompleteUserClass(
476 "cannot create component class '{}': missing a _user_consume() method".format(
477 class_name
478 )
479 )
480
481 cc_ptr = native_bt.bt2_component_class_sink_create(
482 cls, comp_cls_name, comp_cls_descr, comp_cls_help
483 )
484 else:
485 raise bt2._IncompleteUserClass(
486 "cannot find a known component class base in the bases of '{}'".format(
487 class_name
488 )
489 )
490
491 if cc_ptr is None:
492 raise bt2._MemoryError(
493 "cannot create component class '{}'".format(class_name)
494 )
495
496 cls._bt_cc_ptr = cc_ptr
497
498 def _bt_init_from_native(cls, comp_ptr, params_ptr, obj):
499 # create instance, not user-initialized yet
500 self = cls.__new__(cls)
501
502 # config object
503 config = cls._config_pycls()
504
505 # pointer to native self component object (weak/borrowed)
506 self._bt_ptr = comp_ptr
507
508 # call user's __init__() method
509 if params_ptr is not None:
510 params = bt2_value._create_from_const_ptr_and_get_ref(params_ptr)
511 else:
512 params = None
513
514 self.__init__(config, params, obj)
515 return self
516
517 def __call__(cls, *args, **kwargs):
518 raise RuntimeError(
519 'cannot directly instantiate a user component from a Python module'
520 )
521
522 @staticmethod
523 def _bt_set_iterator_class(cls, iter_cls):
524 if iter_cls is None:
525 raise bt2._IncompleteUserClass(
526 "cannot create component class '{}': missing message iterator class".format(
527 cls.__name__
528 )
529 )
530
531 if not issubclass(iter_cls, bt2_message_iterator._UserMessageIterator):
532 raise bt2._IncompleteUserClass(
533 "cannot create component class '{}': message iterator class does not inherit bt2._UserMessageIterator".format(
534 cls.__name__
535 )
536 )
537
538 if not hasattr(iter_cls, '__next__'):
539 raise bt2._IncompleteUserClass(
540 "cannot create component class '{}': message iterator class is missing a __next__() method".format(
541 cls.__name__
542 )
543 )
544
545 if hasattr(iter_cls, '_user_can_seek_ns_from_origin') and not hasattr(
546 iter_cls, '_user_seek_ns_from_origin'
547 ):
548 raise bt2._IncompleteUserClass(
549 "cannot create component class '{}': message iterator class implements _user_can_seek_ns_from_origin but not _user_seek_ns_from_origin".format(
550 cls.__name__
551 )
552 )
553
554 if hasattr(iter_cls, '_user_can_seek_beginning') and not hasattr(
555 iter_cls, '_user_seek_beginning'
556 ):
557 raise bt2._IncompleteUserClass(
558 "cannot create component class '{}': message iterator class implements _user_can_seek_beginning but not _user_seek_beginning".format(
559 cls.__name__
560 )
561 )
562
563 cls._iter_cls = iter_cls
564
565 @property
566 def name(cls):
567 ptr = cls._bt_as_component_class_ptr(cls._bt_cc_ptr)
568 return native_bt.component_class_get_name(ptr)
569
570 @property
571 def description(cls):
572 ptr = cls._bt_as_component_class_ptr(cls._bt_cc_ptr)
573 return native_bt.component_class_get_description(ptr)
574
575 @property
576 def help(cls):
577 ptr = cls._bt_as_component_class_ptr(cls._bt_cc_ptr)
578 return native_bt.component_class_get_help(ptr)
579
580 @property
581 def addr(cls):
582 return int(cls._bt_cc_ptr)
583
584 def _bt_get_supported_mip_versions_from_native(cls, params_ptr, obj, log_level):
585 # this can raise, but the native side checks the exception
586 if params_ptr is not None:
587 params = bt2_value._create_from_const_ptr_and_get_ref(params_ptr)
588 else:
589 params = None
590
591 # this can raise, but the native side checks the exception
592 range_set = cls._user_get_supported_mip_versions(params, obj, log_level)
593
594 if type(range_set) is not bt2.UnsignedIntegerRangeSet:
595 # this can raise, but the native side checks the exception
596 range_set = bt2.UnsignedIntegerRangeSet(range_set)
597
598 # return new reference
599 range_set._get_ref(range_set._ptr)
600 return int(range_set._ptr)
601
602 def _user_get_supported_mip_versions(cls, params, obj, log_level):
603 return [0]
604
605 def _bt_query_from_native(
606 cls, priv_query_exec_ptr, object_name, params_ptr, method_obj
607 ):
608 # this can raise, but the native side checks the exception
609 if params_ptr is not None:
610 params = bt2_value._create_from_const_ptr_and_get_ref(params_ptr)
611 else:
612 params = None
613
614 priv_query_exec = bt2_query_executor._PrivateQueryExecutor(priv_query_exec_ptr)
615
616 try:
617 # this can raise, but the native side checks the exception
618 results = cls._user_query(priv_query_exec, object_name, params, method_obj)
619 finally:
620 # the private query executor is a private view on the query
621 # executor; it's not a shared object (the library does not
622 # offer an API to get/put a reference, just like "self"
623 # objects) from this query's point of view, so invalidate
624 # the object in case the user kept a reference and uses it
625 # later
626 priv_query_exec._invalidate()
627
628 # this can raise, but the native side checks the exception
629 results = bt2.create_value(results)
630
631 if results is None:
632 results_ptr = native_bt.value_null
633 else:
634 results_ptr = results._ptr
635
636 # return new reference
637 bt2_value._Value._get_ref(results_ptr)
638 return int(results_ptr)
639
640 def _user_query(cls, priv_query_executor, object_name, params, method_obj):
641 raise bt2.UnknownObject
642
643 def _bt_component_class_ptr(self):
644 return self._bt_as_component_class_ptr(self._bt_cc_ptr)
645
646 def __del__(cls):
647 if hasattr(cls, '_bt_cc_ptr'):
648 cc_ptr = cls._bt_as_component_class_ptr(cls._bt_cc_ptr)
649 native_bt.component_class_put_ref(cc_ptr)
650 native_bt.bt2_unregister_cc_ptr_to_py_cls(cc_ptr)
651
652
653 # Configuration objects for components.
654 #
655 # These are passed in __init__ to allow components to change some configuration
656 # parameters during initialization and not after. As you can see, they are not
657 # used at the moment, but are there in case we want to add such parameters.
658
659
660 class _UserComponentConfiguration:
661 pass
662
663
664 class _UserSourceComponentConfiguration(_UserComponentConfiguration):
665 pass
666
667
668 class _UserFilterComponentConfiguration(_UserComponentConfiguration):
669 pass
670
671
672 class _UserSinkComponentConfiguration(_UserComponentConfiguration):
673 pass
674
675
676 # Subclasses must provide these methods or property:
677 #
678 # - _bt_as_not_self_specific_component_ptr: static method, must return the passed
679 # specialized self component pointer (e.g. 'bt_self_component_sink *') as a
680 # specialized non-self pointer (e.g. 'bt_component_sink *').
681 # - _bt_borrow_component_class_ptr: static method, must return a pointer to the
682 # specialized component class (e.g. 'bt_component_class_sink *') of the
683 # passed specialized component pointer (e.g. 'bt_component_sink *').
684 # - _bt_comp_cls_type: property, one of the native_bt.COMPONENT_CLASS_TYPE_*
685 # constants.
686
687
688 class _UserComponent(metaclass=_UserComponentType):
689 @property
690 def name(self):
691 ptr = self._bt_as_not_self_specific_component_ptr(self._bt_ptr)
692 ptr = self._bt_as_component_ptr(ptr)
693 name = native_bt.component_get_name(ptr)
694 assert name is not None
695 return name
696
697 @property
698 def logging_level(self):
699 ptr = self._bt_as_not_self_specific_component_ptr(self._bt_ptr)
700 ptr = self._bt_as_component_ptr(ptr)
701 return native_bt.component_get_logging_level(ptr)
702
703 @property
704 def cls(self):
705 comp_ptr = self._bt_as_not_self_specific_component_ptr(self._bt_ptr)
706 cc_ptr = self._bt_borrow_component_class_ptr(comp_ptr)
707 return _create_component_class_from_const_ptr_and_get_ref(
708 cc_ptr, self._bt_comp_cls_type
709 )
710
711 @property
712 def addr(self):
713 return int(self._bt_ptr)
714
715 @property
716 def _graph_mip_version(self):
717 ptr = self._bt_as_self_component_ptr(self._bt_ptr)
718 return native_bt.self_component_get_graph_mip_version(ptr)
719
720 def __init__(self, config, params, obj):
721 pass
722
723 def _user_finalize(self):
724 pass
725
726 def _user_port_connected(self, port, other_port):
727 pass
728
729 def _bt_port_connected_from_native(
730 self, self_port_ptr, self_port_type, other_port_ptr
731 ):
732 port = bt2_port._create_self_from_ptr_and_get_ref(self_port_ptr, self_port_type)
733
734 if self_port_type == native_bt.PORT_TYPE_OUTPUT:
735 other_port_type = native_bt.PORT_TYPE_INPUT
736 else:
737 other_port_type = native_bt.PORT_TYPE_OUTPUT
738
739 other_port = bt2_port._create_from_const_ptr_and_get_ref(
740 other_port_ptr, other_port_type
741 )
742 self._user_port_connected(port, other_port)
743
744 def _create_trace_class(
745 self, user_attributes=None, assigns_automatic_stream_class_id=True
746 ):
747 ptr = self._bt_as_self_component_ptr(self._bt_ptr)
748 tc_ptr = native_bt.trace_class_create(ptr)
749
750 if tc_ptr is None:
751 raise bt2._MemoryError('could not create trace class')
752
753 tc = bt2_trace_class._TraceClass._create_from_ptr(tc_ptr)
754 tc._assigns_automatic_stream_class_id = assigns_automatic_stream_class_id
755
756 if user_attributes is not None:
757 tc._user_attributes = user_attributes
758
759 return tc
760
761 def _create_clock_class(
762 self,
763 frequency=None,
764 name=None,
765 user_attributes=None,
766 description=None,
767 precision=None,
768 offset=None,
769 origin_is_unix_epoch=True,
770 uuid=None,
771 ):
772 ptr = self._bt_as_self_component_ptr(self._bt_ptr)
773 cc_ptr = native_bt.clock_class_create(ptr)
774
775 if cc_ptr is None:
776 raise bt2._MemoryError('could not create clock class')
777
778 cc = bt2_clock_class._ClockClass._create_from_ptr(cc_ptr)
779
780 if frequency is not None:
781 cc._frequency = frequency
782
783 if name is not None:
784 cc._name = name
785
786 if user_attributes is not None:
787 cc._user_attributes = user_attributes
788
789 if description is not None:
790 cc._description = description
791
792 if precision is not None:
793 cc._precision = precision
794
795 if offset is not None:
796 cc._offset = offset
797
798 cc._origin_is_unix_epoch = origin_is_unix_epoch
799
800 if uuid is not None:
801 cc._uuid = uuid
802
803 return cc
804
805
806 class _UserSourceComponent(_UserComponent, _SourceComponentConst):
807 _bt_as_not_self_specific_component_ptr = staticmethod(
808 native_bt.self_component_source_as_component_source
809 )
810 _bt_as_self_component_ptr = staticmethod(
811 native_bt.self_component_source_as_self_component
812 )
813 _config_pycls = _UserSourceComponentConfiguration
814
815 @property
816 def _output_ports(self):
817 def get_output_port_count(self_ptr):
818 ptr = self._bt_as_not_self_specific_component_ptr(self_ptr)
819 return native_bt.component_source_get_output_port_count(ptr)
820
821 return _ComponentPorts(
822 self._bt_ptr,
823 native_bt.self_component_source_borrow_output_port_by_name,
824 native_bt.self_component_source_borrow_output_port_by_index,
825 get_output_port_count,
826 bt2_port._UserComponentOutputPort,
827 )
828
829 def _add_output_port(self, name, user_data=None):
830 utils._check_str(name)
831
832 if name in self._output_ports:
833 raise ValueError(
834 'source component `{}` already contains an output port named `{}`'.format(
835 self.name, name
836 )
837 )
838
839 fn = native_bt.self_component_source_add_output_port
840 comp_status, self_port_ptr = fn(self._bt_ptr, name, user_data)
841 utils._handle_func_status(
842 comp_status, 'cannot add output port to source component object'
843 )
844 assert self_port_ptr is not None
845 return bt2_port._UserComponentOutputPort._create_from_ptr_and_get_ref(
846 self_port_ptr
847 )
848
849
850 class _UserFilterComponent(_UserComponent, _FilterComponentConst):
851 _bt_as_not_self_specific_component_ptr = staticmethod(
852 native_bt.self_component_filter_as_component_filter
853 )
854 _bt_as_self_component_ptr = staticmethod(
855 native_bt.self_component_filter_as_self_component
856 )
857 _config_pycls = _UserFilterComponentConfiguration
858
859 @property
860 def _output_ports(self):
861 def get_output_port_count(self_ptr):
862 ptr = self._bt_as_not_self_specific_component_ptr(self_ptr)
863 return native_bt.component_filter_get_output_port_count(ptr)
864
865 return _ComponentPorts(
866 self._bt_ptr,
867 native_bt.self_component_filter_borrow_output_port_by_name,
868 native_bt.self_component_filter_borrow_output_port_by_index,
869 get_output_port_count,
870 bt2_port._UserComponentOutputPort,
871 )
872
873 @property
874 def _input_ports(self):
875 def get_input_port_count(self_ptr):
876 ptr = self._bt_as_not_self_specific_component_ptr(self_ptr)
877 return native_bt.component_filter_get_input_port_count(ptr)
878
879 return _ComponentPorts(
880 self._bt_ptr,
881 native_bt.self_component_filter_borrow_input_port_by_name,
882 native_bt.self_component_filter_borrow_input_port_by_index,
883 get_input_port_count,
884 bt2_port._UserComponentInputPort,
885 )
886
887 def _add_output_port(self, name, user_data=None):
888 utils._check_str(name)
889
890 if name in self._output_ports:
891 raise ValueError(
892 'filter component `{}` already contains an output port named `{}`'.format(
893 self.name, name
894 )
895 )
896
897 fn = native_bt.self_component_filter_add_output_port
898 comp_status, self_port_ptr = fn(self._bt_ptr, name, user_data)
899 utils._handle_func_status(
900 comp_status, 'cannot add output port to filter component object'
901 )
902 assert self_port_ptr
903 return bt2_port._UserComponentOutputPort._create_from_ptr_and_get_ref(
904 self_port_ptr
905 )
906
907 def _add_input_port(self, name, user_data=None):
908 utils._check_str(name)
909
910 if name in self._input_ports:
911 raise ValueError(
912 'filter component `{}` already contains an input port named `{}`'.format(
913 self.name, name
914 )
915 )
916
917 fn = native_bt.self_component_filter_add_input_port
918 comp_status, self_port_ptr = fn(self._bt_ptr, name, user_data)
919 utils._handle_func_status(
920 comp_status, 'cannot add input port to filter component object'
921 )
922 assert self_port_ptr
923 return bt2_port._UserComponentInputPort._create_from_ptr_and_get_ref(
924 self_port_ptr
925 )
926
927
928 class _UserSinkComponent(_UserComponent, _SinkComponentConst):
929 _bt_as_not_self_specific_component_ptr = staticmethod(
930 native_bt.self_component_sink_as_component_sink
931 )
932 _bt_as_self_component_ptr = staticmethod(
933 native_bt.self_component_sink_as_self_component
934 )
935 _config_pycls = _UserSinkComponentConfiguration
936
937 def _bt_graph_is_configured_from_native(self):
938 self._user_graph_is_configured()
939
940 def _user_graph_is_configured(self):
941 pass
942
943 @property
944 def _input_ports(self):
945 def get_input_port_count(self_ptr):
946 ptr = self._bt_as_not_self_specific_component_ptr(self_ptr)
947 return native_bt.component_sink_get_input_port_count(ptr)
948
949 return _ComponentPorts(
950 self._bt_ptr,
951 native_bt.self_component_sink_borrow_input_port_by_name,
952 native_bt.self_component_sink_borrow_input_port_by_index,
953 get_input_port_count,
954 bt2_port._UserComponentInputPort,
955 )
956
957 def _add_input_port(self, name, user_data=None):
958 utils._check_str(name)
959
960 if name in self._input_ports:
961 raise ValueError(
962 'sink component `{}` already contains an input port named `{}`'.format(
963 self.name, name
964 )
965 )
966
967 fn = native_bt.self_component_sink_add_input_port
968 comp_status, self_port_ptr = fn(self._bt_ptr, name, user_data)
969 utils._handle_func_status(
970 comp_status, 'cannot add input port to sink component object'
971 )
972 assert self_port_ptr
973 return bt2_port._UserComponentInputPort._create_from_ptr_and_get_ref(
974 self_port_ptr
975 )
976
977 def _create_message_iterator(self, input_port):
978 utils._check_type(input_port, bt2_port._UserComponentInputPort)
979
980 if not input_port.is_connected:
981 raise ValueError('input port is not connected')
982
983 (
984 status,
985 msg_iter_ptr,
986 ) = native_bt.bt2_message_iterator_create_from_sink_component(
987 self._bt_ptr, input_port._ptr
988 )
989 utils._handle_func_status(status, 'cannot create message iterator object')
990 assert msg_iter_ptr is not None
991
992 return bt2_message_iterator._UserComponentInputPortMessageIterator(msg_iter_ptr)
993
994 @property
995 def _is_interrupted(self):
996 return bool(native_bt.self_component_sink_is_interrupted(self._bt_ptr))
This page took 0.079276 seconds and 4 git commands to generate.