File: service.py

package info (click to toggle)
python-aioxmpp 0.12.2-1
  • links: PTS, VCS
  • area: main
  • in suites: bullseye
  • size: 6,152 kB
  • sloc: python: 96,969; xml: 215; makefile: 155; sh: 72
file content (1554 lines) | stat: -rw-r--r-- 49,183 bytes parent folder | download
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
########################################################################
# File name: service.py
# This file is part of: aioxmpp
#
# LICENSE
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU Lesser General Public License as
# published by the Free Software Foundation, either version 3 of the
# License, or (at your option) any later version.
#
# This program is distributed in the hope that it will be useful, but
# WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
# Lesser General Public License for more details.
#
# You should have received a copy of the GNU Lesser General Public
# License along with this program.  If not, see
# <http://www.gnu.org/licenses/>.
#
########################################################################
"""
:mod:`~aioxmpp.service` --- Utilities for implementing :class:`~.Client` services
#################################################################################

Protocol extensions or in general support for parts of the XMPP protocol are
implemented using :class:`Service` classes, or rather, classes which use the
:class:`Meta` metaclass.

Both of these are provided in this module. To reduce the boilerplate required
to develop services, :ref:`decorators <api-aioxmpp.service-decorators>` are
provided which can be used to easily register coroutines and functions as
stanza handlers, filters and others.

.. autoclass:: Service

.. _api-aioxmpp.service-decorators:

Decorators and Descriptors
==========================

These decorators provide special functionality when used on methods of
:class:`Service` subclasses.

.. note::

   These decorators work only on methods declared on :class:`Service`
   subclasses, as their functionality are implemented in cooperation with the
   :class:`Meta` metaclass and :class:`Service` itself.

.. note::

    These decorators and the descriptors (see below) are initialised in the
    order in which they are declared at the class. In many cases, this does
    not matter, but there are some corner cases.

    For example: Suppose you have a class like this:

    .. code-block:: python

        class FooService(aioxmpp.service.Service):
            feature = aioxmpp.disco.register_feature(
                "some:namespace"
            )

            @aioxmpp.servie.depsignal(aioxmpp.DiscoServer, "on_info_changed")
            def handle_on_info_changed(self):
                pass

    In this case, the ``handle_on_info_changed`` method is not invoked during
    startup of the ``FooService``. In this case however:

    .. code-block:: python

        class FooService(aioxmpp.service.Service):
            @aioxmpp.servie.depsignal(aioxmpp.DiscoServer, "on_info_changed")
            def handle_on_info_changed(self):
                pass

            feature = aioxmpp.disco.register_feature(
                "some:namespace"
            )

    The ``handle_on_info_changed`` *is* invoked during startup of the
    ``FooService`` because the ``some:namespace`` feature is registered
    *after* the signal is connected.

    .. versionchanged:: 0.9

        This behaviour was introduced in version 0.9.

   When using a  descriptor and a :func:`depsignal`
   connected to :meth:`.DiscoServer.on_info_changed`: if the
   :class:`.disco.register_feature` is declared *before* the :func:`depsignal`,
   the signal handler will not be invoked for that specific feature because
   it is registered before the signal handler is connected).

.. autodecorator:: iq_handler

.. autodecorator:: message_handler

.. autodecorator:: presence_handler

.. autodecorator:: inbound_message_filter()

.. autodecorator:: inbound_presence_filter()

.. autodecorator:: outbound_message_filter()

.. autodecorator:: outbound_presence_filter()

.. autodecorator:: depsignal

.. autodecorator:: depfilter

.. autodecorator:: attrsignal

.. seealso::

   :class:`~.disco.register_feature`
      For a descriptor (see below) which allows to register a Service Discovery
      feature when the service is instantiated.

   :class:`~.disco.mount_as_node`
      For a descriptor (see below) which allows to register a Service Discovery
      node when the service is instantiated.

   :class:`~.pep.register_pep_node`
      For a descriptor (see below) which allows to register a PEP node
      including notification features.

Test functions
--------------

.. autofunction:: is_iq_handler

.. autofunction:: is_message_handler

.. autofunction:: is_presence_handler

.. autofunction:: is_inbound_message_filter

.. autofunction:: is_inbound_presence_filter

.. autofunction:: is_outbound_message_filter

.. autofunction:: is_outbound_presence_filter

.. autofunction:: is_depsignal_handler

.. autofunction:: is_depfilter_handler

.. autofunction:: is_attrsignal_handler

Creating your own decorators
----------------------------

Sometimes, when you create your own service, it makes sense to create own
decorators which depending services can use to make easy use of some features
of your service.

.. note::

   Remember that it isn’t necessary to create custom decorators to simply
   connect a method to a signal exposed by another service. Users of that
   service should be using :func:`depsignal` instead.

The key part is the :class:`HandlerSpec` object. It specifies the effect the
decorator has on initialisation and shutdown of the service. To add a
:class:`HandlerSpec` to a decorated method, use :func:`add_handler_spec` in the
implementation of your decorator.

.. autoclass:: HandlerSpec(key, is_unique=True, require_deps=[])

.. autofunction:: add_handler_spec

Creating your own descriptors
-----------------------------

Sometimes a decorator is not the right tool for the job, because with what you
attempt to achieve, there’s simply no relationship to a method.

In this case, subclassing :class:`Descriptor` is the way to go. It provides an
abstract base class implementing a :term:`descriptor`. Using a
:class:`Descriptor` subclass, you can create objects for each individual
service instance using the descriptor, including cleanup.

.. autoclass:: Descriptor

Metaclass
=========

.. autoclass:: Meta()
"""  # NOQA: E501

import abc
import asyncio
import collections
import contextlib
import logging
import warnings
import weakref

import aioxmpp.callbacks
import aioxmpp.stream


def automake_magic_attr(obj):
    obj._aioxmpp_service_handlers = getattr(
        obj, "_aioxmpp_service_handlers", {}
    )
    return obj._aioxmpp_service_handlers


def get_magic_attr(obj):
    return obj._aioxmpp_service_handlers


def has_magic_attr(obj):
    return hasattr(
        obj, "_aioxmpp_service_handlers"
    )


class Descriptor(metaclass=abc.ABCMeta):
    """
    Abstract base class for resource managing descriptors on :class:`Service`
    classes.

    While resources such as callback slots can easily be managed with
    decorators (see above), because they are inherently related to the method
    they use, others cannot. A :class:`Descriptor` provides a method to
    initialise a context manager. The context manager is entered when the
    service is initialised and left when the service is shut down, thus
    providing a way for the :class:`Descriptor` to manage the resource
    associated with it.

    The result from entering the context manager is accessible by reading the
    attribute the descriptor is bound to.

    Subclasses must implement the following:

    .. automethod:: init_cm

    .. autoattribute:: value_type

    Subclasses may override the following to modify the default behaviour:

    .. autoattribute:: required_dependencies

    .. automethod:: add_to_stack

    """

    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
        self._data = weakref.WeakKeyDictionary()

    @property
    def required_dependencies(self):
        """
        Iterable of services which must be declared as dependencies on a class
        using this descriptor.

        The default implementation returns an empty list.
        """
        return []

    @abc.abstractmethod
    def init_cm(self, instance):
        """
        Create and return a :term:`context manager`.

        :param instance: The service instance for which the CM is used.
        :return: A context manager managing the resource.

        The context manager is responsible for acquiring, initialising,
        destructing and releasing the resource managed by this descriptor.

        The returned context manager is not stored anywhere in the descriptor,
        it is the responsibility of the caller to register it appropriately.
        """

    def add_to_stack(self, instance, stack):
        """
        Get the context manager for the service `instance` and push it to the
        context manager `stack`.

        :param instance: The service to get the context manager for.
        :type instance: :class:`Service`
        :param stack: The context manager stack to push the CM onto.
        :type stack: :class:`contextlib.ExitStack`
        :return: The object returned by the context manager on enter.

        If a context manager has already been created for `instance`, it is
        re-used.

        On subsequent calls to :meth:`__get__` for the given `instance`, the
        return value of this method will be returned, that is, the value
        obtained from entering the context.
        """

        cm = self.init_cm(instance)
        obj = stack.enter_context(cm)
        self._data[instance] = cm, obj
        return obj

    def __get__(self, instance, owner):
        if instance is None:
            return self
        try:
            cm, obj = self._data[instance]
        except KeyError:
            raise AttributeError(
                "resource manager descriptor has not been initialised"
            )
        return obj

    @abc.abstractproperty
    def value_type(self):
        """
        The type of the value of the descriptor, once it is being accessed
        as an object attribute.

        .. versionadded:: 0.9
        """


class Meta(abc.ABCMeta):
    """
    The metaclass for services. The :class:`Service` class uses it and in
    general you should just inherit from :class:`Service` and define the
    dependency attributes as needed.

    Only use :class:`Meta` explicitely if you know what you are doing,
    and you most likely do not. :class:`Meta` is internal API and may
    change at any point.

    Services have dependencies. A :class:`Meta` instance (i.e. a service class)
    can declare dependencies using the following attributes.

    .. attribute:: ORDER_BEFORE

       An iterable of :class:`Service` classes before which the class which is
       currently being declared needs to be instanciated.

       Thus, any service which occurs in :attr:`ORDER_BEFORE` will be
       instanciated *after* this class (if at all). Think of it as "*this*
       class is ordered *before* the classes in this attribute".

       .. versionadded:: 0.3

    .. attribute:: SERVICE_BEFORE

       Before 0.3, this was the name of the :attr:`ORDER_BEFORE` attribute. It
       is still supported, but use emits a :data:`DeprecationWarning`. It must
       not be mixed with :attr:`ORDER_BEFORE` or :attr:`ORDER_AFTER` on a class
       declaration, or the declaration will raise :class:`ValueError`.

       .. deprecated:: 0.3

          Support for this attribute will be removed in 1.0; starting with 1.0,
          using this attribute will raise a :class:`TypeError` on class
          declaration and a :class:`AttributeError` when accessing it on a
          class or instance.

    .. attribute:: ORDER_AFTER

       An iterable of :class:`Service` classes which will be instanciated
       *before* the class which is being declraed.

       Classes which are declared in this attribute are always instanciated
       before this class is instantiated. Think of it as "*this* class is
       ordered *after* the classes in this attribute".

       .. versionadded:: 0.3

    .. attribute:: SERVICE_AFTER

       Before 0.3, this was the name of the :attr:`ORDER_AFTER` attribute. It
       is still supported, but use emits a :data:`DeprecationWarning`. It must
       not be mixed with :attr:`ORDER_BEFORE` or :attr:`ORDER_AFTER` on a class
       declaration, or the declaration will raise :class:`ValueError`.

       .. deprecated:: 0.3

          See :attr:`SERVICE_BEFORE` for details on the deprecation cycle.

    Further, the following attributes are generated:

    .. attribute:: PATCHED_ORDER_AFTER

       An iterable of :class:`Service` classes. This includes all
       classes in :attr:`ORDER_AFTER` and all classes which specify the class
       in :attr:`ORDER_BEFORE`.

       This is primarily used internally to handle :attr:`ORDER_BEFORE` when
       summoning services.

       It is an error to manually define :attr:`PATCHED_ORDER_AFTER` in a class
       definition, doing so will raise a :class:`TypeError`.

       .. versionadded:: 0.9

    .. versionchanged:: 0.9

       The :attr:`ORDER_AFTER` and :attr:`ORDER_BEFORE` attribtes do not
       change after class creation. In earlier versions they contained
       the transitive completion of the dependency relation.

    The following attribute was generated in earlier version of
    aioxmpp:

    .. attribute:: _DEPGRAPH_NODE

       For compatibility with earlier versions, a warning is issued
       when :attr:`_DEPGRAPH_NODE` is defined in a service class
       definition.

       This behaviour will be removed in aioxmpp 1.0.

       .. deprecated:: 0.11

    Dependency relationships must not have cycles; a cycle results in a
    :class:`ValueError` when the class causing the cycle is declared.

    .. note::

      Subclassing instances of :class:`Meta` is forbidden. Trying to do so
      will raise a :class:`TypeError`

      .. versionchanged:: 0.9

    Example::

        class Foo(metaclass=service.Meta):
            pass

        class Bar(metaclass=service.Meta):
            ORDER_BEFORE = [Foo]

        class Baz(metaclass=service.Meta):
            ORDER_BEFORE = [Bar]

        class Fourth(metaclass=service.Meta):
            ORDER_BEFORE = [Bar]

    ``Baz`` and ``Fourth`` will be instanciated before ``Bar`` and ``Bar`` will
    be instanciated before ``Foo``. There is no dependency relationship between
    ``Baz`` and ``Fourth``.
    """

    def __new__(mcls, name, bases, namespace, inherit_dependencies=True):
        if "SERVICE_BEFORE" in namespace or "SERVICE_AFTER" in namespace:
            if "ORDER_BEFORE" in namespace or "ORDER_AFTER" in namespace:
                raise ValueError("declaration mixes old and new ordering "
                                 "attribute names (SERVICE_* vs. ORDER_*)")
            warnings.warn(
                "SERVICE_BEFORE/AFTER used on class; use ORDER_BEFORE/AFTER",
                DeprecationWarning)
            try:
                namespace["ORDER_BEFORE"] = namespace.pop("SERVICE_BEFORE")
            except KeyError:
                pass
            try:
                namespace["ORDER_AFTER"] = namespace.pop("SERVICE_AFTER")
            except KeyError:
                pass

        if "PATCHED_ORDER_AFTER" in namespace:
            raise TypeError(
                "PATCHED_ORDER_AFTER must not be defined manually. "
                "it is supplied automatically by the metaclass."
            )

        if "_DEPGRAPH_NODE" in namespace:
            warnings.warn(
                "_DEPGRAPH_NODE should not be defined manually. "
                "In version before 0.11 it was supplied automatically by "
                "the metaclass and defining it raised TypeError."
            )

        if any(isinstance(mcls, base)
               for base in bases) and "service_order_index" in namespace:
            raise TypeError(
                "service_order_index must not be defined manually. "
                "It is supplied automatically by the metaclass."
            )

        for base in bases:
            if isinstance(base, Meta) and base is not Service:
                raise TypeError(
                    "subclassing services is prohibited."
                )

        for base in bases:
            if hasattr(base, "SERVICE_HANDLERS") and base.SERVICE_HANDLERS:
                raise TypeError(
                    "inheritance from service class with handlers is forbidden"
                )

        namespace["ORDER_BEFORE"] = frozenset(
            namespace.get("ORDER_BEFORE", ()))
        namespace["ORDER_AFTER"] = frozenset(
            namespace.get("ORDER_AFTER", ()))
        namespace["PATCHED_ORDER_AFTER"] = namespace["ORDER_AFTER"]

        if namespace["ORDER_BEFORE"] and namespace["ORDER_AFTER"]:
            visited = set()
            for item in namespace["PATCHED_ORDER_AFTER"]:
                if item.orders_after_any(namespace["ORDER_BEFORE"],
                                         visited=visited):
                    raise ValueError("dependency loop in service definitions")

        SERVICE_HANDLERS = []
        existing_handlers = set()

        for attr_name, attr_value in namespace.items():
            if has_magic_attr(attr_value):
                new_handlers = get_magic_attr(attr_value)

                unique_handlers = {
                    spec.key
                    for spec in new_handlers
                    if spec.is_unique
                }

                conflicting = unique_handlers & existing_handlers
                if conflicting:
                    key = next(iter(conflicting))
                    obj = next(iter(
                        obj
                        for obj_key, obj, _ in SERVICE_HANDLERS
                        if obj_key == key
                    ))

                    raise TypeError(
                        "handler conflict between {!r} and {!r}: "
                        "both want to use {!r}".format(
                            obj,
                            attr_value,
                            key,
                        )
                    )

                existing_handlers |= unique_handlers

                for spec, kwargs in new_handlers.items():
                    missing = spec.require_deps - namespace["ORDER_AFTER"]
                    if missing:
                        raise TypeError(
                            "decorator requires dependency {!r} "
                            "but it is not declared".format(
                                next(iter(missing))
                            )
                        )

                    SERVICE_HANDLERS.append(
                        (spec.key, attr_value, kwargs)
                    )

            elif isinstance(attr_value, Descriptor):
                missing = set(attr_value.required_dependencies) - \
                    namespace["ORDER_AFTER"]
                if missing:
                    raise TypeError(
                        "descriptor requires dependency {!r} "
                        "but it is not declared".format(
                            next(iter(missing)),
                        )
                    )

                SERVICE_HANDLERS.append(attr_value)

        namespace["SERVICE_HANDLERS"] = tuple(SERVICE_HANDLERS)

        return super().__new__(mcls, name, bases, namespace)

    def __init__(self, name, bases, namespace, inherit_dependencies=True):
        super().__init__(name, bases, namespace)
        for cls in self.ORDER_BEFORE:
            cls.PATCHED_ORDER_AFTER |= frozenset([self])

    def __prepare__(*args, **kwargs):
        return collections.OrderedDict()

    @property
    def SERVICE_BEFORE(self):
        return self.ORDER_BEFORE

    @property
    def SERVICE_AFTER(self):
        return self.ORDER_AFTER

    def orders_after(self, other, *, visited=None):
        """
        Return whether `self` depends on `other` and will be instanciated
        later.

        :param other: Another service.
        :type other: :class:`aioxmpp.service.Service`

        .. versionadded:: 0.11
        """
        return self.orders_after_any(frozenset([other]), visited=visited)

    def orders_after_any(self, other, *, visited=None):
        """
        Return whether `self` orders after any of the services in the set
        `other`.

        :param other: Another service.
        :type other: A :class:`set` of
          :class:`aioxmpp.service.Service` instances

        .. versionadded:: 0.11
        """
        if not other:
            return False
        if visited is None:
            visited = set()
        elif self in visited:
            return False
        visited.add(self)
        for item in self.PATCHED_ORDER_AFTER:
            if item in visited:
                continue
            if item in other:
                return True
            if item.orders_after_any(other, visited=visited):
                return True
        return False

    def independent_from(self, other):
        """
        Return whether the services are independent (neither depends on
        the other).

        :param other: Another service.
        :type other: :class:`aioxmpp.service.Service`

        .. versionadded:: 0.11
        """
        if self is other:
            return False
        return not self.orders_after(other) and not other.orders_after(self)


class Service(metaclass=Meta):
    """
    A :class:`Service` is used to implement XMPP or XEP protocol parts, on top
    of the more or less fixed stanza handling implemented in
    :mod:`aioxmpp.node` and :mod:`aioxmpp.stream`.

    :class:`Service` is a base class which can be used by extension developers
    to implement support for custom or standardized protocol extensions. Some
    of the features for which :mod:`aioxmpp` has support are also implemented
    using :class:`Service` subclasses.

    `client` must be a :class:`~.Client` to which the service will be attached.
    The `client` cannot be changed later, for the sake of simplicity.

    `logger_base` may be a :class:`logging.Logger` instance or :data:`None`. If
    it is :data:`None`, a logger is automatically created, by taking the fully
    qualified name of the :class:`Service` subclass which is being
    instanciated. Otherwise, the logger is passed to :meth:`derive_logger` and
    the result is used as value for the :attr:`logger` attribute.

    To implement your own service, derive from :class:`Service`. If your
    service depends on other services (such as :mod:`aioxmpp.pubsub` or
    :mod:`aioxmpp.disco`), these dependencies *must* be declared as documented
    in the service meta class :class:`Meta`.

    To stay forward compatible, accept arbitrary keyword arguments and pass
    them down to :class:`Service`. As it is not possible to directly pass
    arguments to :class:`Service`\\ s on construction (due to the way
    :meth:`aioxmpp.Client.summon` works), there is no need for you
    to introduce custom arguments, and thus there should be no conflicts.

    .. note::

       Inheritance from classes which subclass :class:`Service` is forbidden.

       .. versionchanged:: 0.9

    .. autoattribute:: client

    .. autoattribute:: dependencies

    .. autoattribute:: service_order_index

    .. automethod:: derive_logger

    .. automethod:: shutdown
    """

    def __init__(self, client, *, logger_base=None, dependencies={},
                 service_order_index=0):
        if logger_base is None:
            self.logger = logging.getLogger(".".join([
                type(self).__module__, type(self).__qualname__
            ]))
        else:
            self.logger = self.derive_logger(logger_base)

        super().__init__()
        self.__context = contextlib.ExitStack()
        self.__client = client
        self.__dependencies = dependencies
        self.__service_order_index = service_order_index

        for item in self.SERVICE_HANDLERS:
            if isinstance(item, Descriptor):
                item.add_to_stack(self, self.__context)
            else:
                (handler_cm, additional_args), obj, kwargs = item
                self.__context.enter_context(
                    handler_cm(
                        self,
                        self.__client.stream,
                        obj.__get__(self, type(self)),
                        *additional_args,
                        **kwargs
                    )
                )

    @property
    def service_order_index(self):
        """
        Return the index of this service in the toposort of summoned
        services. This is primarily used to order filter chain
        registrations consistently with the dependency relationship of
        the services.

        .. versionadded:: 0.11
        """
        return self.__service_order_index

    def derive_logger(self, logger):
        """
        Return a child of `logger` specific for this instance. This is called
        after :attr:`client` has been set, from the constructor.

        The child name is calculated by the default implementation in a way
        specific for aioxmpp services; it is not meant to be used by
        non-:mod:`aioxmpp` classes; do not rely on the way how the child name
        is calculated.
        """
        parts = type(self).__module__.split(".")[1:]
        if parts[-1] == "service" and len(parts) > 1:
            del parts[-1]

        return logger.getChild(".".join(
            parts+[type(self).__qualname__]
        ))

    @property
    def client(self):
        """
        The client to which the :class:`Service` is bound. This attribute is
        read-only.

        If the service has been shut down using :meth:`shutdown`, this reads as
        :data:`None`.
        """
        return self.__client

    @property
    def dependencies(self):
        """
        When the service is instantiated through
        :meth:`~.Client.summon`, this attribute holds a mapping which maps the
        service classes contained in the :attr:`~.Meta.ORDER_AFTER` attribute
        to the respective instances related to the :attr:`client`.

        This is the preferred way to obtain dependencies specified via
        :attr:`~.Meta.ORDER_AFTER`.
        """
        return self.__dependencies

    async def _shutdown(self):
        """
        Actual implementation of the shut down process.

        This *must* be called using super from inheriting classes after their
        own shutdown procedure. Inheriting classes *must* override this method
        instead of :meth:`shutdown`.
        """

    async def shutdown(self):
        """
        Close the service and wait for it to completely shut down.

        Some services which are still running may depend on this service. In
        that case, the service may refuse to shut down instead of shutting
        down, by raising a :class:`RuntimeError` exception.

        .. note::

           Developers creating subclasses of :class:`Service` to implement
           services should not override this method. Instead, they should
           override the :meth:`_shutdown` method.

        """
        await self._shutdown()
        self.__context.close()
        self.__client = None


class HandlerSpec(collections.namedtuple(
        "HandlerSpec",
        [
            "is_unique",
            "key",
            "require_deps",
        ])):
    """
    Specification of the effects of the decorator at initalisation and shutdown
    time.

    :param key: Context manager and arguments pair.
    :type key: pair
    :param is_unique: Whether multiple identical `key` values are allowed on a
                      single class.
    :type is_unique: :class:`bool`
    :param require_deps: Dependent services which are required for the
                         decorator to work.
    :type require_deps: iterable of :class:`Service` classes

    During initialisation of the :class:`Service` which has a method using a
    given handler spec, the first part of the `key` pair is called with the
    service instance as first, the client :class:`StanzaStream` as second and
    the bound method as third argument. The second part of the `key` is
    unpacked as additional positional arguments.

    The result of the call must be a context manager, which is immediately
    entered. On shutdown, the context manager is exited.

    An example use would be the following handler spec::

      HandlerSpec(
          (func, (IQType.GET, some_payload_class)),
          is_unique=True,
      )

    where ``func`` is a context manager which takes a service instance, a
    stanza stream, a bound method as well as an IQ type and a payload class. On
    enter, the context manager would register the method it received as third
    argument on the stanza stream (second argument) as handler for the given IQ
    type and payload class (fourth and fifth arguments).

    If `is_unique` is true and several methods have :class:`HandlerSpec`
    objects with the same `key`, :class:`TypeError` is raised at class
    definition time.

    If at class definition time any of the dependent classes in `require_deps`
    are not declared using the order attributes (see :class:`Meta`), a
    :class:`TypeError` is raised.

    There is a property to extract the function directly:

    .. autoattribute:: func
    """

    def __new__(cls, key, is_unique=True, require_deps=()):
        return super().__new__(cls, is_unique, key, frozenset(require_deps))

    @property
    def func(self):
        """
        The factory of the context manager for this handler.

        .. versionadded:: 0.11
        """
        return self.key[0]


def add_handler_spec(f, handler_spec, *, kwargs=None):
    """
    Attach a handler specification (see :class:`HandlerSpec`) to a function.

    :param f: Function to attach the handler specification to.
    :param handler_spec: Handler specification to attach to the function.
    :type handler_spec: :class:`HandlerSpec`
    :param kwargs: additional keyword arguments passed to the function
       carried in the handler spec.
    :type kwargs: :class:`dict`

    :raises ValueError: if the handler was registered with
       different `kwargs` before

    This uses a private attribute, whose exact name is an implementation
    detail. The `handler_spec` is stored in a :class:`dict` bound to the
    attribute.

    .. versionadded:: 0.11

       The `kwargs` argument. If two handlers with the same spec, but
       different arguments are registered for one function, an error
       will be raised. So you should always include all possible
       arguments, this is the responsibility of the calling decorator.
    """
    handler_dict = automake_magic_attr(f)
    if kwargs is None:
        kwargs = {}
    if kwargs != handler_dict.setdefault(handler_spec, kwargs):
        raise ValueError(
            "The additional keyword arguments to the handler are incompatible")


def _apply_iq_handler(instance, stream, func, type_, payload_cls, *,
                      with_send_reply=False):
    return aioxmpp.stream.iq_handler(stream, type_, payload_cls, func,
                                     with_send_reply=with_send_reply)


def _apply_presence_handler(instance, stream, func, type_, from_):
    return aioxmpp.stream.presence_handler(stream, type_, from_, func)


def _apply_inbound_message_filter(instance, stream, func):
    return aioxmpp.stream.stanza_filter(
        stream.service_inbound_message_filter,
        func,
        instance.service_order_index,
    )


def _apply_inbound_presence_filter(instance, stream, func):
    return aioxmpp.stream.stanza_filter(
        stream.service_inbound_presence_filter,
        func,
        instance.service_order_index,
    )


def _apply_outbound_message_filter(instance, stream, func):
    return aioxmpp.stream.stanza_filter(
        stream.service_outbound_message_filter,
        func,
        instance.service_order_index,
    )


def _apply_outbound_presence_filter(instance, stream, func):
    return aioxmpp.stream.stanza_filter(
        stream.service_outbound_presence_filter,
        func,
        instance.service_order_index,
    )


def _apply_connect_depsignal(instance, stream, func, dependency, signal_name,
                             mode):
    if dependency is aioxmpp.stream.StanzaStream:
        dependency = instance.client.stream
    elif dependency is aioxmpp.node.Client:
        dependency = instance.client
    else:
        dependency = instance.dependencies[dependency]
    signal = getattr(dependency, signal_name)
    if mode is None:
        return signal.context_connect(func)
    else:
        try:
            mode_func, args = mode
        except TypeError:
            pass
        else:
            mode = mode_func(*args)
        return signal.context_connect(func, mode)


def _apply_connect_depfilter(instance, stream, func, dependency, filter_name):
    if dependency is aioxmpp.stream.StanzaStream:
        dependency = instance.client.stream
    else:
        dependency = instance.dependencies[dependency]
    filter_ = getattr(dependency, filter_name)
    return filter_.context_register(func, instance.service_order_index)


def _apply_connect_attrsignal(instance, stream, func, descriptor, signal_name,
                              mode):
    obj = descriptor.__get__(instance, type(instance))
    signal = getattr(obj, signal_name)
    if mode is None:
        return signal.context_connect(func)
    else:
        try:
            mode_func, args = mode
        except TypeError:
            pass
        else:
            mode = mode_func(*args)
        return signal.context_connect(func, mode)


def iq_handler(type_, payload_cls, *, with_send_reply=False):
    """
    Register the decorated function or coroutine function as IQ request
    handler.

    :param type_: IQ type to listen for
    :type type_: :class:`~.IQType`
    :param payload_cls: Payload XSO class to listen for
    :type payload_cls: :class:`~.XSO` subclass
    :param with_send_reply: Whether to pass a function to send a reply
       to the decorated callable as second argument.
    :type with_send_reply: :class:`bool`

    :raises ValueError: if `payload_cls` is not a registered IQ payload

    If the decorated function is not a coroutine function, it must return an
    awaitable instead.

    .. seealso::

        :meth:`~.StanzaStream.register_iq_request_handler` for more
            details on the `type_`, `payload_cls` and
            `with_send_reply` arguments, as well as behaviour expected
            from the decorated function.

        :meth:`aioxmpp.IQ.as_payload_class`
            for a way to register a XSO as IQ payload

    .. versionadded:: 0.11

       The `with_send_reply` argument.

    .. versionchanged:: 0.10

        The decorator now checks if `payload_cls` is a valid, registered IQ
        payload and raises :class:`ValueError` if not.
    """

    if (not hasattr(payload_cls, "TAG") or
            (aioxmpp.IQ.CHILD_MAP.get(payload_cls.TAG) is not
             aioxmpp.IQ.payload.xq_descriptor) or
            payload_cls not in aioxmpp.IQ.payload._classes):
        raise ValueError(
            "{!r} is not a valid IQ payload "
            "(use IQ.as_payload_class decorator)".format(
                payload_cls,
            )
        )

    def decorator(f):
        add_handler_spec(
            f,
            HandlerSpec(
                (_apply_iq_handler, (type_, payload_cls)),
                require_deps=(),
            ),
            kwargs=dict(with_send_reply=with_send_reply),
        )
        return f
    return decorator


def message_handler(type_, from_):
    """
    Deprecated alias of :func:`.dispatcher.message_handler`.

    .. deprecated:: 0.9
    """
    import aioxmpp.dispatcher
    return aioxmpp.dispatcher.message_handler(type_, from_)


def presence_handler(type_, from_):
    """
    Deprecated alias of :func:`.dispatcher.presence_handler`.

    .. deprecated:: 0.9
    """
    import aioxmpp.dispatcher
    return aioxmpp.dispatcher.presence_handler(type_, from_)


def inbound_message_filter(f):
    """
    Register the decorated function as a service-level inbound message filter.

    :raise TypeError: if the decorated object is a coroutine function

    .. seealso::

       :class:`StanzaStream`
          for important remarks regarding the use of stanza filters.

    """

    if asyncio.iscoroutinefunction(f):
        raise TypeError(
            "inbound_message_filter must not be a coroutine function"
        )

    add_handler_spec(
        f,
        HandlerSpec(
            (_apply_inbound_message_filter, ())
        ),
    )
    return f


def inbound_presence_filter(f):
    """
    Register the decorated function as a service-level inbound presence filter.

    :raise TypeError: if the decorated object is a coroutine function

    .. seealso::

       :class:`StanzaStream`
          for important remarks regarding the use of stanza filters.

    """

    if asyncio.iscoroutinefunction(f):
        raise TypeError(
            "inbound_presence_filter must not be a coroutine function"
        )

    add_handler_spec(
        f,
        HandlerSpec(
            (_apply_inbound_presence_filter, ())
        ),
    )
    return f


def outbound_message_filter(f):
    """
    Register the decorated function as a service-level outbound message filter.

    :raise TypeError: if the decorated object is a coroutine function

    .. seealso::

       :class:`StanzaStream`
          for important remarks regarding the use of stanza filters.

    """

    if asyncio.iscoroutinefunction(f):
        raise TypeError(
            "outbound_message_filter must not be a coroutine function"
        )

    add_handler_spec(
        f,
        HandlerSpec(
            (_apply_outbound_message_filter, ())
        ),
    )
    return f


def outbound_presence_filter(f):
    """
    Register the decorated function as a service-level outbound presence
    filter.

    :raise TypeError: if the decorated object is a coroutine function

    .. seealso::

       :class:`StanzaStream`
          for important remarks regarding the use of stanza filters.

    """

    if asyncio.iscoroutinefunction(f):
        raise TypeError(
            "outbound_presence_filter must not be a coroutine function"
        )

    add_handler_spec(
        f,
        HandlerSpec(
            (_apply_outbound_presence_filter, ())
        ),
    )
    return f


def _signal_connect_mode(signal, f, defer):
    if isinstance(signal, aioxmpp.callbacks.SyncSignal):
        if not asyncio.iscoroutinefunction(f):
            raise TypeError(
                "a coroutine function is required for this signal"
            )
        if defer:
            raise ValueError(
                "cannot use defer with this signal"
            )
        mode = None
    else:
        if asyncio.iscoroutinefunction(f):
            if defer:
                mode = aioxmpp.callbacks.AdHocSignal.SPAWN_WITH_LOOP, (None,)
            else:
                raise TypeError(
                    "cannot use coroutine function with this signal"
                    " without defer"
                )
        elif defer:
            mode = aioxmpp.callbacks.AdHocSignal.ASYNC_WITH_LOOP, (None,)
        else:
            mode = aioxmpp.callbacks.AdHocSignal.STRONG

    return mode


def _depsignal_spec(class_, signal_name, f, defer):
    signal = getattr(class_, signal_name)

    mode = _signal_connect_mode(signal, f, defer)

    if (class_ is not aioxmpp.stream.StanzaStream and
            class_ is not aioxmpp.node.Client):
        deps = (class_,)
    else:
        deps = ()

    return HandlerSpec(
        (
            _apply_connect_depsignal,
            (
                class_,
                signal_name,
                mode,
            )
        ),
        require_deps=deps,
    )


def depsignal(class_, signal_name, *, defer=False):
    """
    Connect the decorated method or coroutine method to the addressed signal on
    a class on which the service depends.

    :param class_: A service class which is listed in the
                   :attr:`~.Meta.ORDER_AFTER` relationship.
    :type class_: :class:`Service` class or one of the special cases below
    :param signal_name: Attribute name of the signal to connect to
    :type signal_name: :class:`str`
    :param defer: Flag indicating whether deferred execution of the decorated
                  method is desired; see below for details.
    :type defer: :class:`bool`

    The signal is discovered by accessing the attribute with the name
    `signal_name` on the given `class_`. In addition, the following arguments
    are supported for `class_`:

    1. :class:`aioxmpp.stream.StanzaStream`: the corresponding signal of the
       stream of the client running the service is used.

    2. :class:`aioxmpp.Client`: the corresponding signal of the client running
       the service is used.

    If the signal is a :class:`.callbacks.Signal` and `defer` is false, the
    decorated object is connected using the default
    :attr:`~.callbacks.AdHocSignal.STRONG` mode.

    If the signal is a :class:`.callbacks.Signal` and `defer` is true and the
    decorated object is a coroutine function, the
    :attr:`~.callbacks.AdHocSignal.SPAWN_WITH_LOOP` mode with the default
    asyncio event loop is used. If the decorated object is not a coroutine
    function, :attr:`~.callbacks.AdHocSignal.ASYNC_WITH_LOOP` is used instead.

    If the signal is a :class:`.callbacks.SyncSignal`, `defer` must be false
    and the decorated object must be a coroutine function.

    .. versionchanged:: 0.9

       Support for :class:`aioxmpp.stream.StanzaStream` and
       :class:`aioxmpp.Client` as `class_` argument was added.
    """

    def decorator(f):
        add_handler_spec(
            f,
            _depsignal_spec(class_, signal_name, f, defer)
        )
        return f
    return decorator


def _attrsignal_spec(descriptor, signal_name, f, defer):
    signal = getattr(descriptor.value_type, signal_name)
    mode = _signal_connect_mode(signal, f, defer)

    return HandlerSpec(
        (
            _apply_connect_attrsignal,
            (
                descriptor,
                signal_name,
                mode
            )
        ),
        is_unique=True,
        require_deps=(),
    )


def attrsignal(descriptor, signal_name, *, defer=False):
    """
    Connect the decorated method or coroutine method to the addressed signal on
    a descriptor.

    :param descriptor: The descriptor to connect to.
    :type descriptor: :class:`Descriptor` subclass.
    :param signal_name: Attribute name of the signal to connect to
    :type signal_name: :class:`str`
    :param defer: Flag indicating whether deferred execution of the decorated
                  method is desired; see below for details.
    :type defer: :class:`bool`

    The signal is discovered by accessing the attribute with the name
    `signal_name` on the :attr:`~Descriptor.value_type` of the `descriptor`.

    During instantiation of the service, the value of the descriptor is used
    to obtain the signal and then the decorated method is connected to the
    signal.

    If the signal is a :class:`.callbacks.Signal` and `defer` is false, the
    decorated object is connected using the default
    :attr:`~.callbacks.AdHocSignal.STRONG` mode.

    If the signal is a :class:`.callbacks.Signal` and `defer` is true and the
    decorated object is a coroutine function, the
    :attr:`~.callbacks.AdHocSignal.SPAWN_WITH_LOOP` mode with the default
    asyncio event loop is used. If the decorated object is not a coroutine
    function, :attr:`~.callbacks.AdHocSignal.ASYNC_WITH_LOOP` is used instead.

    If the signal is a :class:`.callbacks.SyncSignal`, `defer` must be false
    and the decorated object must be a coroutine function.

    .. versionadded:: 0.9
    """
    def decorator(f):
        add_handler_spec(
            f,
            _attrsignal_spec(descriptor, signal_name, f, defer)
        )
        return f
    return decorator


def _depfilter_spec(class_, filter_name):
    require_deps = ()
    if class_ is not aioxmpp.stream.StanzaStream:
        require_deps = (class_,)

    return HandlerSpec(
        (
            _apply_connect_depfilter,
            (
                class_,
                filter_name,
            )
        ),
        is_unique=True,
        require_deps=require_deps,
    )


def depfilter(class_, filter_name):
    """
    Register the decorated method at the addressed :class:`~.callbacks.Filter`
    on a class on which the service depends.

    :param class_: A service class which is listed in the
                   :attr:`~.Meta.ORDER_AFTER` relationship.
    :type class_: :class:`Service` class or
                  :class:`aioxmpp.stream.StanzaStream`
    :param filter_name: Attribute name of the filter to register at
    :type filter_name: :class:`str`

    The filter at which the decorated method is registered is discovered by
    accessing the attribute with the name `filter_name` on the instance of the
    dependent class `class_`. If `class_` is
    :class:`aioxmpp.stream.StanzaStream`, the filter is searched for on the
    stream (and no dependendency needs to be declared).

    .. versionadded:: 0.9
    """
    spec = _depfilter_spec(class_, filter_name)

    def decorator(f):
        add_handler_spec(
            f,
            spec,
        )
        return f

    return decorator


def is_iq_handler(type_, payload_cls, coro, *, with_send_reply=False):
    """
    Return true if `coro` has been decorated with :func:`iq_handler` for the
    given `type_` and `payload_cls` and the specified keyword arguments.
    """

    try:
        handlers = get_magic_attr(coro)
    except AttributeError:
        return False

    hs = HandlerSpec(
        (_apply_iq_handler, (type_, payload_cls)),
    )

    try:
        return handlers[hs] == dict(with_send_reply=with_send_reply)
    except KeyError:
        return False


def is_message_handler(type_, from_, cb):
    """
    Deprecated alias of :func:`.dispatcher.is_message_handler`.

    .. deprecated:: 0.9
    """
    import aioxmpp.dispatcher
    return aioxmpp.dispatcher.is_message_handler(type_, from_, cb)


def is_presence_handler(type_, from_, cb):
    """
    Deprecated alias of :func:`.dispatcher.is_presence_handler`.

    .. deprecated:: 0.9
    """
    import aioxmpp.dispatcher
    return aioxmpp.dispatcher.is_presence_handler(type_, from_, cb)


def is_inbound_message_filter(cb):
    """
    Return true if `cb` has been decorated with :func:`inbound_message_filter`.
    """

    try:
        handlers = get_magic_attr(cb)
    except AttributeError:
        return False

    hs = HandlerSpec(
        (_apply_inbound_message_filter, ())
    )

    return hs in handlers


def is_inbound_presence_filter(cb):
    """
    Return true if `cb` has been decorated with
    :func:`inbound_presence_filter`.
    """

    try:
        handlers = get_magic_attr(cb)
    except AttributeError:
        return False

    hs = HandlerSpec(
        (_apply_inbound_presence_filter, ())
    )

    return hs in handlers


def is_outbound_message_filter(cb):
    """
    Return true if `cb` has been decorated with
    :func:`outbound_message_filter`.
    """

    try:
        handlers = get_magic_attr(cb)
    except AttributeError:
        return False

    hs = HandlerSpec(
        (_apply_outbound_message_filter, ())
    )

    return hs in handlers


def is_outbound_presence_filter(cb):
    """
    Return true if `cb` has been decorated with
    :func:`outbound_presence_filter`.
    """

    try:
        handlers = get_magic_attr(cb)
    except AttributeError:
        return False

    hs = HandlerSpec(
        (_apply_outbound_presence_filter, ())
    )

    return hs in handlers


def is_depsignal_handler(class_, signal_name, cb, *, defer=False):
    """
    Return true if `cb` has been decorated with :func:`depsignal` for the given
    signal, class and connection mode.
    """
    try:
        handlers = get_magic_attr(cb)
    except AttributeError:
        return False

    return _depsignal_spec(class_, signal_name, cb, defer) in handlers


def is_depfilter_handler(class_, filter_name, filter_):
    """
    Return true if `filter_` has been decorated with :func:`depfilter` for the
    given filter and class.
    """
    try:
        handlers = get_magic_attr(filter_)
    except AttributeError:
        return False

    return _depfilter_spec(class_, filter_name) in handlers


def is_attrsignal_handler(descriptor, signal_name, cb, *, defer=False):
    """
    Return true if `cb` has been decorated with :func:`attrsignal` for the
    given signal, descriptor and connection mode.
    """
    try:
        handlers = get_magic_attr(cb)
    except AttributeError:
        return False

    return _attrsignal_spec(descriptor, signal_name, cb, defer) in handlers