Apply black code formatter on all Python code
[babeltrace.git] / src / bindings / python / bt2 / bt2 / component.py
1 # The MIT License (MIT)
2 #
3 # Copyright (c) 2017 Philippe Proulx <pproulx@efficios.com>
4 #
5 # Permission is hereby granted, free of charge, to any person obtaining a copy
6 # of this software and associated documentation files (the "Software"), to deal
7 # in the Software without restriction, including without limitation the rights
8 # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
9 # copies of the Software, and to permit persons to whom the Software is
10 # furnished to do so, subject to the following conditions:
11 #
12 # The above copyright notice and this permission notice shall be included in
13 # all copies or substantial portions of the Software.
14 #
15 # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16 # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17 # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
18 # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19 # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
20 # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
21 # THE SOFTWARE.
22
23 from bt2 import native_bt, object, utils
24 import bt2.message_iterator
25 import collections.abc
26 import bt2.value
27 import traceback
28 import bt2.port
29 import sys
30 import bt2
31 import os
32
33
34 # This class wraps a component class pointer. This component class could
35 # have been created by Python code, but since we only have the pointer,
36 # we can only wrap it in a generic way and lose the original Python
37 # class.
38 #
39 # Subclasses must implement some methods that this base class uses:
40 #
41 # - _bt_as_component_class_ptr: static method, convert the passed component class
42 # pointer to a 'bt_component_class *'.
43
44
45 class _GenericComponentClass(object._SharedObject):
46 @property
47 def name(self):
48 ptr = self._bt_as_component_class_ptr(self._ptr)
49 name = native_bt.component_class_get_name(ptr)
50 assert name is not None
51 return name
52
53 @property
54 def description(self):
55 ptr = self._bt_as_component_class_ptr(self._ptr)
56 return native_bt.component_class_get_description(ptr)
57
58 @property
59 def help(self):
60 ptr = self._bt_as_component_class_ptr(self._ptr)
61 return native_bt.component_class_get_help(ptr)
62
63 def _bt_component_class_ptr(self):
64 return self._bt_as_component_class_ptr(self._ptr)
65
66 def __eq__(self, other):
67 if not isinstance(other, _GenericComponentClass):
68 try:
69 if not issubclass(other, _UserComponent):
70 return False
71 except TypeError:
72 return False
73
74 return self.addr == other.addr
75
76
77 class _GenericSourceComponentClass(_GenericComponentClass):
78 _get_ref = staticmethod(native_bt.component_class_source_get_ref)
79 _put_ref = staticmethod(native_bt.component_class_source_put_ref)
80 _bt_as_component_class_ptr = staticmethod(
81 native_bt.component_class_source_as_component_class
82 )
83
84
85 class _GenericFilterComponentClass(_GenericComponentClass):
86 _get_ref = staticmethod(native_bt.component_class_filter_get_ref)
87 _put_ref = staticmethod(native_bt.component_class_filter_put_ref)
88 _bt_as_component_class_ptr = staticmethod(
89 native_bt.component_class_filter_as_component_class
90 )
91
92
93 class _GenericSinkComponentClass(_GenericComponentClass):
94 _get_ref = staticmethod(native_bt.component_class_sink_get_ref)
95 _put_ref = staticmethod(native_bt.component_class_sink_put_ref)
96 _bt_as_component_class_ptr = staticmethod(
97 native_bt.component_class_sink_as_component_class
98 )
99
100
101 class _PortIterator(collections.abc.Iterator):
102 def __init__(self, comp_ports):
103 self._comp_ports = comp_ports
104 self._at = 0
105
106 def __next__(self):
107 if self._at == len(self._comp_ports):
108 raise StopIteration
109
110 comp_ports = self._comp_ports
111 comp_ptr = comp_ports._component_ptr
112
113 port_ptr = comp_ports._borrow_port_ptr_at_index(comp_ptr, self._at)
114 assert port_ptr is not None
115
116 name = native_bt.port_get_name(comp_ports._port_pycls._as_port_ptr(port_ptr))
117 assert name is not None
118
119 self._at += 1
120 return name
121
122
123 class _ComponentPorts(collections.abc.Mapping):
124
125 # component_ptr is a bt_component_source *, bt_component_filter * or
126 # bt_component_sink *. Its type must match the type expected by the
127 # functions passed as arguments.
128
129 def __init__(
130 self,
131 component_ptr,
132 borrow_port_ptr_by_name,
133 borrow_port_ptr_at_index,
134 get_port_count,
135 port_pycls,
136 ):
137 self._component_ptr = component_ptr
138 self._borrow_port_ptr_by_name = borrow_port_ptr_by_name
139 self._borrow_port_ptr_at_index = borrow_port_ptr_at_index
140 self._get_port_count = get_port_count
141 self._port_pycls = port_pycls
142
143 def __getitem__(self, key):
144 utils._check_str(key)
145 port_ptr = self._borrow_port_ptr_by_name(self._component_ptr, key)
146
147 if port_ptr is None:
148 raise KeyError(key)
149
150 return self._port_pycls._create_from_ptr_and_get_ref(port_ptr)
151
152 def __len__(self):
153 count = self._get_port_count(self._component_ptr)
154 assert count >= 0
155 return count
156
157 def __iter__(self):
158 return _PortIterator(self)
159
160
161 # This class holds the methods which are common to both generic
162 # component objects and Python user component objects.
163 #
164 # Subclasses must provide these methods or property:
165 #
166 # - _bt_borrow_component_class_ptr: static method, must return a pointer to the
167 # specialized component class (e.g. 'bt_component_class_sink *') of the
168 # passed specialized component pointer (e.g. 'bt_component_sink *').
169 # - _bt_comp_cls_type: property, one of the native_bt.COMPONENT_CLASS_TYPE_*
170 # constants.
171 # - _bt_as_component_ptr: static method, must return the passed specialized
172 # component pointer (e.g. 'bt_component_sink *') as a 'bt_component *'.
173
174
175 class _Component:
176 @property
177 def name(self):
178 ptr = self._bt_as_component_ptr(self._ptr)
179 name = native_bt.component_get_name(ptr)
180 assert name is not None
181 return name
182
183 @property
184 def logging_level(self):
185 ptr = self._bt_as_component_ptr(self._ptr)
186 return native_bt.component_get_logging_level(ptr)
187
188 @property
189 def cls(self):
190 cc_ptr = self._bt_borrow_component_class_ptr(self._ptr)
191 assert cc_ptr is not None
192 return _create_component_class_from_ptr_and_get_ref(
193 cc_ptr, self._bt_comp_cls_type
194 )
195
196 def __eq__(self, other):
197 if not hasattr(other, 'addr'):
198 return False
199
200 return self.addr == other.addr
201
202
203 class _SourceComponent(_Component):
204 _bt_borrow_component_class_ptr = staticmethod(
205 native_bt.component_source_borrow_class_const
206 )
207 _bt_comp_cls_type = native_bt.COMPONENT_CLASS_TYPE_SOURCE
208 _bt_as_component_class_ptr = staticmethod(
209 native_bt.component_class_source_as_component_class
210 )
211 _bt_as_component_ptr = staticmethod(native_bt.component_source_as_component_const)
212
213
214 class _FilterComponent(_Component):
215 _bt_borrow_component_class_ptr = staticmethod(
216 native_bt.component_filter_borrow_class_const
217 )
218 _bt_comp_cls_type = native_bt.COMPONENT_CLASS_TYPE_FILTER
219 _bt_as_component_class_ptr = staticmethod(
220 native_bt.component_class_filter_as_component_class
221 )
222 _bt_as_component_ptr = staticmethod(native_bt.component_filter_as_component_const)
223
224
225 class _SinkComponent(_Component):
226 _bt_borrow_component_class_ptr = staticmethod(
227 native_bt.component_sink_borrow_class_const
228 )
229 _bt_comp_cls_type = native_bt.COMPONENT_CLASS_TYPE_SINK
230 _bt_as_component_class_ptr = staticmethod(
231 native_bt.component_class_sink_as_component_class
232 )
233 _bt_as_component_ptr = staticmethod(native_bt.component_sink_as_component_const)
234
235
236 # This is analogous to _GenericSourceComponentClass, but for source
237 # component objects.
238 class _GenericSourceComponent(object._SharedObject, _SourceComponent):
239 _get_ref = staticmethod(native_bt.component_source_get_ref)
240 _put_ref = staticmethod(native_bt.component_source_put_ref)
241
242 @property
243 def output_ports(self):
244 return _ComponentPorts(
245 self._ptr,
246 native_bt.component_source_borrow_output_port_by_name_const,
247 native_bt.component_source_borrow_output_port_by_index_const,
248 native_bt.component_source_get_output_port_count,
249 bt2.port._OutputPort,
250 )
251
252
253 # This is analogous to _GenericFilterComponentClass, but for filter
254 # component objects.
255 class _GenericFilterComponent(object._SharedObject, _FilterComponent):
256 _get_ref = staticmethod(native_bt.component_filter_get_ref)
257 _put_ref = staticmethod(native_bt.component_filter_put_ref)
258
259 @property
260 def output_ports(self):
261 return _ComponentPorts(
262 self._ptr,
263 native_bt.component_filter_borrow_output_port_by_name_const,
264 native_bt.component_filter_borrow_output_port_by_index_const,
265 native_bt.component_filter_get_output_port_count,
266 bt2.port._OutputPort,
267 )
268
269 @property
270 def input_ports(self):
271 return _ComponentPorts(
272 self._ptr,
273 native_bt.component_filter_borrow_input_port_by_name_const,
274 native_bt.component_filter_borrow_input_port_by_index_const,
275 native_bt.component_filter_get_input_port_count,
276 bt2.port._InputPort,
277 )
278
279
280 # This is analogous to _GenericSinkComponentClass, but for sink
281 # component objects.
282 class _GenericSinkComponent(object._SharedObject, _SinkComponent):
283 _get_ref = staticmethod(native_bt.component_sink_get_ref)
284 _put_ref = staticmethod(native_bt.component_sink_put_ref)
285
286 @property
287 def input_ports(self):
288 return _ComponentPorts(
289 self._ptr,
290 native_bt.component_sink_borrow_input_port_by_name_const,
291 native_bt.component_sink_borrow_input_port_by_index_const,
292 native_bt.component_sink_get_input_port_count,
293 bt2.port._InputPort,
294 )
295
296
297 _COMP_CLS_TYPE_TO_GENERIC_COMP_PYCLS = {
298 native_bt.COMPONENT_CLASS_TYPE_SOURCE: _GenericSourceComponent,
299 native_bt.COMPONENT_CLASS_TYPE_FILTER: _GenericFilterComponent,
300 native_bt.COMPONENT_CLASS_TYPE_SINK: _GenericSinkComponent,
301 }
302
303
304 _COMP_CLS_TYPE_TO_GENERIC_COMP_CLS_PYCLS = {
305 native_bt.COMPONENT_CLASS_TYPE_SOURCE: _GenericSourceComponentClass,
306 native_bt.COMPONENT_CLASS_TYPE_FILTER: _GenericFilterComponentClass,
307 native_bt.COMPONENT_CLASS_TYPE_SINK: _GenericSinkComponentClass,
308 }
309
310
311 # Create a component Python object of type _GenericSourceComponent,
312 # _GenericFilterComponent or _GenericSinkComponent, depending on
313 # comp_cls_type.
314 #
315 # Steals the reference to ptr from the caller.
316
317
318 def _create_component_from_ptr(ptr, comp_cls_type):
319 return _COMP_CLS_TYPE_TO_GENERIC_COMP_PYCLS[comp_cls_type]._create_from_ptr(ptr)
320
321
322 # Same as the above, but acquire a new reference instead of stealing the
323 # reference from the caller.
324
325
326 def _create_component_from_ptr_and_get_ref(ptr, comp_cls_type):
327 return _COMP_CLS_TYPE_TO_GENERIC_COMP_PYCLS[
328 comp_cls_type
329 ]._create_from_ptr_and_get_ref(ptr)
330
331
332 # Create a component class Python object of type
333 # _GenericSourceComponentClass, _GenericFilterComponentClass or
334 # _GenericSinkComponentClass, depending on comp_cls_type.
335 #
336 # Acquires a new reference to ptr.
337
338
339 def _create_component_class_from_ptr_and_get_ref(ptr, comp_cls_type):
340 return _COMP_CLS_TYPE_TO_GENERIC_COMP_CLS_PYCLS[
341 comp_cls_type
342 ]._create_from_ptr_and_get_ref(ptr)
343
344
345 def _trim_docstring(docstring):
346 lines = docstring.expandtabs().splitlines()
347 indent = sys.maxsize
348
349 for line in lines[1:]:
350 stripped = line.lstrip()
351
352 if stripped:
353 indent = min(indent, len(line) - len(stripped))
354
355 trimmed = [lines[0].strip()]
356
357 if indent < sys.maxsize:
358 for line in lines[1:]:
359 trimmed.append(line[indent:].rstrip())
360
361 while trimmed and not trimmed[-1]:
362 trimmed.pop()
363
364 while trimmed and not trimmed[0]:
365 trimmed.pop(0)
366
367 return '\n'.join(trimmed)
368
369
370 # Metaclass for component classes defined by Python code.
371 #
372 # The Python user can create a standard Python class which inherits one
373 # of the three base classes (_UserSourceComponent, _UserFilterComponent,
374 # or _UserSinkComponent). Those base classes set this class
375 # (_UserComponentType) as their metaclass.
376 #
377 # Once the body of a user-defined component class is executed, this
378 # metaclass is used to create and initialize the class. The metaclass
379 # creates a native BT component class of the corresponding type and
380 # associates it with this user-defined class. The metaclass also defines
381 # class methods like the `name` and `description` properties to match
382 # the _GenericComponentClass interface.
383 #
384 # The component class name which is used is either:
385 #
386 # * The `name` parameter of the class:
387 #
388 # class MySink(bt2.SinkComponent, name='my-custom-sink'):
389 # ...
390 #
391 # * If the `name` class parameter is not used: the name of the class
392 # itself (`MySink` in the example above).
393 #
394 # The component class description which is used is the user-defined
395 # class's docstring:
396 #
397 # class MySink(bt2.SinkComponent):
398 # 'Description goes here'
399 # ...
400 #
401 # A user-defined Python component class can have an __init__() method
402 # which must at least accept the `params` and `name` arguments:
403 #
404 # def __init__(self, params, name, something_else):
405 # ...
406 #
407 # The user-defined component class can also have a _finalize() method
408 # (do NOT use __del__()) to be notified when the component object is
409 # finalized.
410 #
411 # User-defined source and filter component classes must use the
412 # `message_iterator_class` class parameter to specify the
413 # message iterator class to use for this component class:
414 #
415 # class MyMessageIterator(bt2._UserMessageIterator):
416 # ...
417 #
418 # class MySource(bt2._UserSourceComponent,
419 # message_iterator_class=MyMessageIterator):
420 # ...
421 #
422 # This message iterator class must inherit
423 # bt2._UserMessageIterator, and it must define the _get() and
424 # _next() methods. The message iterator class can also define an
425 # __init__() method: this method has access to the original Python
426 # component object which was used to create it as the `component`
427 # property. The message iterator class can also define a
428 # _finalize() method (again, do NOT use __del__()): this is called when
429 # the message iterator is (really) destroyed.
430 #
431 # When the user-defined class is destroyed, this metaclass's __del__()
432 # method is called: the native BT component class pointer is put (not
433 # needed anymore, at least not by any Python code since all references
434 # are dropped for __del__() to be called).
435 class _UserComponentType(type):
436 # __new__() is used to catch custom class parameters
437 def __new__(meta_cls, class_name, bases, attrs, **kwargs):
438 return super().__new__(meta_cls, class_name, bases, attrs)
439
440 def __init__(cls, class_name, bases, namespace, **kwargs):
441 super().__init__(class_name, bases, namespace)
442
443 # skip our own bases; they are never directly instantiated by the user
444 own_bases = (
445 '_UserComponent',
446 '_UserFilterSinkComponent',
447 '_UserSourceComponent',
448 '_UserFilterComponent',
449 '_UserSinkComponent',
450 )
451
452 if class_name in own_bases:
453 return
454
455 comp_cls_name = kwargs.get('name', class_name)
456 utils._check_str(comp_cls_name)
457 comp_cls_descr = None
458 comp_cls_help = None
459
460 if hasattr(cls, '__doc__') and cls.__doc__ is not None:
461 utils._check_str(cls.__doc__)
462 docstring = _trim_docstring(cls.__doc__)
463 lines = docstring.splitlines()
464
465 if len(lines) >= 1:
466 comp_cls_descr = lines[0]
467
468 if len(lines) >= 3:
469 comp_cls_help = '\n'.join(lines[2:])
470
471 iter_cls = kwargs.get('message_iterator_class')
472
473 if _UserSourceComponent in bases:
474 _UserComponentType._bt_set_iterator_class(cls, iter_cls)
475 cc_ptr = native_bt.bt2_component_class_source_create(
476 cls, comp_cls_name, comp_cls_descr, comp_cls_help
477 )
478 elif _UserFilterComponent in bases:
479 _UserComponentType._bt_set_iterator_class(cls, iter_cls)
480 cc_ptr = native_bt.bt2_component_class_filter_create(
481 cls, comp_cls_name, comp_cls_descr, comp_cls_help
482 )
483 elif _UserSinkComponent in bases:
484 if not hasattr(cls, '_graph_is_configured'):
485 raise bt2.IncompleteUserClass(
486 "cannot create component class '{}': missing a _graph_is_configured() method".format(
487 class_name
488 )
489 )
490
491 if not hasattr(cls, '_consume'):
492 raise bt2.IncompleteUserClass(
493 "cannot create component class '{}': missing a _consume() method".format(
494 class_name
495 )
496 )
497
498 cc_ptr = native_bt.bt2_component_class_sink_create(
499 cls, comp_cls_name, comp_cls_descr, comp_cls_help
500 )
501 else:
502 raise bt2.IncompleteUserClass(
503 "cannot find a known component class base in the bases of '{}'".format(
504 class_name
505 )
506 )
507
508 if cc_ptr is None:
509 raise bt2.CreationError(
510 "cannot create component class '{}'".format(class_name)
511 )
512
513 cls._bt_cc_ptr = cc_ptr
514
515 def _bt_init_from_native(cls, comp_ptr, params_ptr):
516 # create instance, not user-initialized yet
517 self = cls.__new__(cls)
518
519 # pointer to native self component object (weak/borrowed)
520 self._bt_ptr = comp_ptr
521
522 # call user's __init__() method
523 if params_ptr is not None:
524 params = bt2.value._create_from_ptr_and_get_ref(params_ptr)
525 else:
526 params = None
527
528 self.__init__(params)
529 return self
530
531 def __call__(cls, *args, **kwargs):
532 raise bt2.Error(
533 'cannot directly instantiate a user component from a Python module'
534 )
535
536 @staticmethod
537 def _bt_set_iterator_class(cls, iter_cls):
538 if iter_cls is None:
539 raise bt2.IncompleteUserClass(
540 "cannot create component class '{}': missing message iterator class".format(
541 cls.__name__
542 )
543 )
544
545 if not issubclass(iter_cls, bt2.message_iterator._UserMessageIterator):
546 raise bt2.IncompleteUserClass(
547 "cannot create component class '{}': message iterator class does not inherit bt2._UserMessageIterator".format(
548 cls.__name__
549 )
550 )
551
552 if not hasattr(iter_cls, '__next__'):
553 raise bt2.IncompleteUserClass(
554 "cannot create component class '{}': message iterator class is missing a __next__() method".format(
555 cls.__name__
556 )
557 )
558
559 cls._iter_cls = iter_cls
560
561 @property
562 def name(cls):
563 ptr = cls._bt_as_component_class_ptr(cls._bt_cc_ptr)
564 return native_bt.component_class_get_name(ptr)
565
566 @property
567 def description(cls):
568 ptr = cls._bt_as_component_class_ptr(cls._bt_cc_ptr)
569 return native_bt.component_class_get_description(ptr)
570
571 @property
572 def help(cls):
573 ptr = cls._bt_as_component_class_ptr(cls._bt_cc_ptr)
574 return native_bt.component_class_get_help(ptr)
575
576 @property
577 def addr(cls):
578 return int(cls._bt_cc_ptr)
579
580 def _bt_query_from_native(cls, query_exec_ptr, obj, params_ptr, log_level):
581 # this can raise, in which case the native call to
582 # bt_component_class_query() returns NULL
583 if params_ptr is not None:
584 params = bt2.value._create_from_ptr_and_get_ref(params_ptr)
585 else:
586 params = None
587
588 query_exec = bt2.QueryExecutor._create_from_ptr_and_get_ref(query_exec_ptr)
589
590 # this can raise, but the native side checks the exception
591 results = cls._query(query_exec, obj, params, log_level)
592
593 # this can raise, but the native side checks the exception
594 results = bt2.create_value(results)
595
596 if results is None:
597 results_ptr = native_bt.value_null
598 else:
599 # return new reference
600 results_ptr = results._ptr
601
602 # We return a new reference.
603 bt2.value._Value._get_ref(results_ptr)
604
605 return int(results_ptr)
606
607 def _query(cls, query_executor, obj, params, log_level):
608 raise NotImplementedError
609
610 def _bt_component_class_ptr(self):
611 return self._bt_as_component_class_ptr(self._bt_cc_ptr)
612
613 def __del__(cls):
614 if hasattr(cls, '_bt_cc_ptr'):
615 cc_ptr = cls._bt_as_component_class_ptr(cls._bt_cc_ptr)
616 native_bt.component_class_put_ref(cc_ptr)
617
618
619 # Subclasses must provide these methods or property:
620 #
621 # - _bt_as_not_self_specific_component_ptr: static method, must return the passed
622 # specialized self component pointer (e.g. 'bt_self_component_sink *') as a
623 # specialized non-self pointer (e.g. 'bt_component_sink *').
624 # - _bt_borrow_component_class_ptr: static method, must return a pointer to the
625 # specialized component class (e.g. 'bt_component_class_sink *') of the
626 # passed specialized component pointer (e.g. 'bt_component_sink *').
627 # - _bt_comp_cls_type: property, one of the native_bt.COMPONENT_CLASS_TYPE_*
628 # constants.
629
630
631 class _UserComponent(metaclass=_UserComponentType):
632 @property
633 def name(self):
634 ptr = self._bt_as_not_self_specific_component_ptr(self._bt_ptr)
635 ptr = self._bt_as_component_ptr(ptr)
636 name = native_bt.component_get_name(ptr)
637 assert name is not None
638 return name
639
640 @property
641 def logging_level(self):
642 ptr = self._bt_as_not_self_specific_component_ptr(self._bt_ptr)
643 ptr = self._bt_as_component_ptr(ptr)
644 return native_bt.component_get_logging_level(ptr)
645
646 @property
647 def cls(self):
648 comp_ptr = self._bt_as_not_self_specific_component_ptr(self._bt_ptr)
649 cc_ptr = self._bt_borrow_component_class_ptr(comp_ptr)
650 return _create_component_class_from_ptr_and_get_ref(
651 cc_ptr, self._bt_comp_cls_type
652 )
653
654 @property
655 def addr(self):
656 return int(self._bt_ptr)
657
658 def __init__(self, params=None):
659 pass
660
661 def _finalize(self):
662 pass
663
664 def _port_connected(self, port, other_port):
665 pass
666
667 def _bt_port_connected_from_native(
668 self, self_port_ptr, self_port_type, other_port_ptr
669 ):
670 port = bt2.port._create_self_from_ptr_and_get_ref(self_port_ptr, self_port_type)
671
672 if self_port_type == native_bt.PORT_TYPE_OUTPUT:
673 other_port_type = native_bt.PORT_TYPE_INPUT
674 else:
675 other_port_type = native_bt.PORT_TYPE_OUTPUT
676
677 other_port = bt2.port._create_from_ptr_and_get_ref(
678 other_port_ptr, other_port_type
679 )
680 self._port_connected(port, other_port)
681
682 def _bt_graph_is_configured_from_native(self):
683 self._graph_is_configured()
684
685 def _create_trace_class(self, assigns_automatic_stream_class_id=True):
686 ptr = self._bt_as_self_component_ptr(self._bt_ptr)
687 tc_ptr = native_bt.trace_class_create(ptr)
688
689 if tc_ptr is None:
690 raise bt2.CreationError('could not create trace class')
691
692 tc = bt2._TraceClass._create_from_ptr(tc_ptr)
693 tc._assigns_automatic_stream_class_id = assigns_automatic_stream_class_id
694
695 return tc
696
697 def _create_clock_class(
698 self,
699 frequency=None,
700 name=None,
701 description=None,
702 precision=None,
703 offset=None,
704 origin_is_unix_epoch=True,
705 uuid=None,
706 ):
707 ptr = self._bt_as_self_component_ptr(self._bt_ptr)
708 cc_ptr = native_bt.clock_class_create(ptr)
709
710 if cc_ptr is None:
711 raise bt2.CreationError('could not create clock class')
712
713 cc = bt2.clock_class._ClockClass._create_from_ptr(cc_ptr)
714
715 if frequency is not None:
716 cc._frequency = frequency
717
718 if name is not None:
719 cc._name = name
720
721 if description is not None:
722 cc._description = description
723
724 if precision is not None:
725 cc._precision = precision
726
727 if offset is not None:
728 cc._offset = offset
729
730 cc._origin_is_unix_epoch = origin_is_unix_epoch
731
732 if uuid is not None:
733 cc._uuid = uuid
734
735 return cc
736
737
738 class _UserSourceComponent(_UserComponent, _SourceComponent):
739 _bt_as_not_self_specific_component_ptr = staticmethod(
740 native_bt.self_component_source_as_component_source
741 )
742 _bt_as_self_component_ptr = staticmethod(
743 native_bt.self_component_source_as_self_component
744 )
745
746 @property
747 def _output_ports(self):
748 def get_output_port_count(self_ptr):
749 ptr = self._bt_as_not_self_specific_component_ptr(self_ptr)
750 return native_bt.component_source_get_output_port_count(ptr)
751
752 return _ComponentPorts(
753 self._bt_ptr,
754 native_bt.self_component_source_borrow_output_port_by_name,
755 native_bt.self_component_source_borrow_output_port_by_index,
756 get_output_port_count,
757 bt2.port._UserComponentOutputPort,
758 )
759
760 def _add_output_port(self, name, user_data=None):
761 utils._check_str(name)
762 fn = native_bt.self_component_source_add_output_port
763 comp_status, self_port_ptr = fn(self._bt_ptr, name, user_data)
764 utils._handle_func_status(
765 comp_status, 'cannot add output port to source component object'
766 )
767 assert self_port_ptr is not None
768 return bt2.port._UserComponentOutputPort._create_from_ptr(self_port_ptr)
769
770
771 class _UserFilterComponent(_UserComponent, _FilterComponent):
772 _bt_as_not_self_specific_component_ptr = staticmethod(
773 native_bt.self_component_filter_as_component_filter
774 )
775 _bt_as_self_component_ptr = staticmethod(
776 native_bt.self_component_filter_as_self_component
777 )
778
779 @property
780 def _output_ports(self):
781 def get_output_port_count(self_ptr):
782 ptr = self._bt_as_not_self_specific_component_ptr(self_ptr)
783 return native_bt.component_filter_get_output_port_count(ptr)
784
785 return _ComponentPorts(
786 self._bt_ptr,
787 native_bt.self_component_filter_borrow_output_port_by_name,
788 native_bt.self_component_filter_borrow_output_port_by_index,
789 get_output_port_count,
790 bt2.port._UserComponentOutputPort,
791 )
792
793 @property
794 def _input_ports(self):
795 def get_input_port_count(self_ptr):
796 ptr = self._bt_as_not_self_specific_component_ptr(self_ptr)
797 return native_bt.component_filter_get_input_port_count(ptr)
798
799 return _ComponentPorts(
800 self._bt_ptr,
801 native_bt.self_component_filter_borrow_input_port_by_name,
802 native_bt.self_component_filter_borrow_input_port_by_index,
803 get_input_port_count,
804 bt2.port._UserComponentInputPort,
805 )
806
807 def _add_output_port(self, name, user_data=None):
808 utils._check_str(name)
809 fn = native_bt.self_component_filter_add_output_port
810 comp_status, self_port_ptr = fn(self._bt_ptr, name, user_data)
811 utils._handle_func_status(
812 comp_status, 'cannot add output port to filter component object'
813 )
814 assert self_port_ptr
815 return bt2.port._UserComponentOutputPort._create_from_ptr(self_port_ptr)
816
817 def _add_input_port(self, name, user_data=None):
818 utils._check_str(name)
819 fn = native_bt.self_component_filter_add_input_port
820 comp_status, self_port_ptr = fn(self._bt_ptr, name, user_data)
821 utils._handle_func_status(
822 comp_status, 'cannot add input port to filter component object'
823 )
824 assert self_port_ptr
825 return bt2.port._UserComponentInputPort._create_from_ptr(self_port_ptr)
826
827
828 class _UserSinkComponent(_UserComponent, _SinkComponent):
829 _bt_as_not_self_specific_component_ptr = staticmethod(
830 native_bt.self_component_sink_as_component_sink
831 )
832 _bt_as_self_component_ptr = staticmethod(
833 native_bt.self_component_sink_as_self_component
834 )
835
836 @property
837 def _input_ports(self):
838 def get_input_port_count(self_ptr):
839 ptr = self._bt_as_not_self_specific_component_ptr(self_ptr)
840 return native_bt.component_sink_get_input_port_count(ptr)
841
842 return _ComponentPorts(
843 self._bt_ptr,
844 native_bt.self_component_sink_borrow_input_port_by_name,
845 native_bt.self_component_sink_borrow_input_port_by_index,
846 get_input_port_count,
847 bt2.port._UserComponentInputPort,
848 )
849
850 def _add_input_port(self, name, user_data=None):
851 utils._check_str(name)
852 fn = native_bt.self_component_sink_add_input_port
853 comp_status, self_port_ptr = fn(self._bt_ptr, name, user_data)
854 utils._handle_func_status(
855 comp_status, 'cannot add input port to sink component object'
856 )
857 assert self_port_ptr
858 return bt2.port._UserComponentInputPort._create_from_ptr(self_port_ptr)
This page took 0.047309 seconds and 4 git commands to generate.