File: ari.py

package info (click to toggle)
asterisk-testsuite 0.0.0%2Bsvn.5781-2
  • links: PTS, VCS
  • area: main
  • in suites: jessie, jessie-kfreebsd, stretch
  • size: 18,632 kB
  • sloc: xml: 33,912; python: 32,904; ansic: 1,599; sh: 395; makefile: 170; sql: 17
file content (755 lines) | stat: -rw-r--r-- 26,191 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
"""
Copyright (C) 2013, Digium, Inc.
David M. Lee, II <dlee@digium.com>

This program is free software, distributed under the terms of
the GNU General Public License Version 2.
"""

import datetime
import json
import logging
import re
import requests
import traceback
import urllib

from test_case import TestCase
from pluggable_registry import PLUGGABLE_EVENT_REGISTRY,\
                               PLUGGABLE_ACTION_REGISTRY, var_replace
from test_suite_utils import all_match
from twisted.internet import reactor
try:
    from autobahn.websocket import WebSocketClientFactory, \
        WebSocketClientProtocol, connectWS
except:
    from autobahn.twisted.websocket import WebSocketClientFactory, \
        WebSocketClientProtocol, connectWS

LOGGER = logging.getLogger(__name__)

DEFAULT_PORT = 8088

#: Default matcher to ensure we don't have any validation failures on the
#  WebSocket
VALIDATION_MATCHER = {
    'conditions': {
        'match': {
            'error': "^InvalidMessage$"
        }
    },
    'count': 0
}


class AriBaseTestObject(TestCase):
    """Class that acts as a Test Object in the pluggable module framework"""

    def __init__(self, test_path='', test_config=None):
        """Constructor for a test object

        :param test_path The full path to the test location
        :param test_config The YAML test configuration
        """
        super(AriBaseTestObject, self).__init__(test_path, test_config)

        if test_config is None:
            # Meh, just use defaults
            test_config = {}

        self.apps = test_config.get('apps', 'testsuite')
        if isinstance(self.apps, list):
            self.apps = ','.join(self.apps)
        host = test_config.get('host', '127.0.0.1')
        port = test_config.get('port', DEFAULT_PORT)
        userpass = (test_config.get('username', 'testsuite'),
                    test_config.get('password', 'testsuite'))

        # Create the REST interface and the WebSocket Factory
        self.ari = ARI(host, port=port, userpass=userpass)
        self.ari_factory = AriClientFactory(receiver=self, host=host, port=port,
                                            apps=self.apps, userpass=userpass)

        self._ws_event_handlers = []
        self.timed_out = False

        self.asterisk_instances = test_config.get('asterisk-instances', 1)
        self.create_asterisk(count=self.asterisk_instances)

    def run(self):
        """Override of TestCase run

        Called when reactor starts and after all instances of Asterisk have
        started
        """
        super(AriBaseTestObject, self).run()
        self.ari_factory.connect()

    def register_ws_event_handler(self, callback):
        """Register a callback for when an event is received over the WS

        :param callback The method to call when an event is received. This
        will have a single parameter (the event) passed to it
        """
        self._ws_event_handlers.append(callback)

    def on_reactor_timeout(self):
        """Called when the reactor times out"""
        self.timed_out = True
        # Fail the tests if we have timed out
        self.set_passed(False)

    def on_ws_event(self, message):
        """Handler for WebSocket events

        :param message The WS event payload
        """
        if self.timed_out:
            # Ignore messages received after timeout
            LOGGER.debug("Ignoring message received after timeout")
            return

        for handler in self._ws_event_handlers:
            handler(message)

    def on_ws_open(self, protocol):
        """Handler for WebSocket Client Protocol opened

        :param protocol The WS Client protocol object
        """
        reactor.callLater(0, self._create_ami_connection)

    def on_ws_closed(self, protocol):
        """Handler for WebSocket Client Protocol closed

        :param protocol The WS Client protocol object
        """
        LOGGER.debug("WebSocket connection closed...")

    def _create_ami_connection(self):
        """Create the AMI connection"""
        self.create_ami_factory(count=self.asterisk_instances)


class AriTestObject(AriBaseTestObject):
    """Class that acts as a Test Object in the pluggable module framework"""

    def __init__(self, test_path='', test_config=None):
        """Constructor for a test object

        :param test_path The full path to the test location
        :param test_config The YAML test configuration
        """
        super(AriTestObject, self).__init__(test_path, test_config)

        if test_config is None:
            # Meh, just use defaults
            test_config = {}

        self.iterations = test_config.get('test-iterations')

        self.test_iteration = 0
        self.channels = []

        if self.iterations is None:
            self.iterations = [{'channel': 'Local/s@default',
                                'application': 'Echo'}]


    def ami_connect(self, ami):
        """Override of AriBaseTestObject ami_connect
        Called when an AMI connection is made

        :param ami The AMI factory
        """
        # only use the first ami instance
        if ami.id != 0:
            return

        ami.registerEvent('Newchannel', self._new_channel_handler)
        ami.registerEvent('Hangup', self._hangup_handler)
        self.execute_test()
        return ami

    def _new_channel_handler(self, ami, event):
        """Handler for new channels

        :param ami The AMI instance
        :param event The Newchannl event
        """
        LOGGER.debug("Tracking channel %s", event['channel'])
        self.channels.append(event['channel'])
        return (ami, event)

    def _hangup_handler(self, ami, event):
        """Handler for channel hangup

        :param ami The AMI instance
        :param event Hangup event
        """
        if event['channel'] not in self.channels:
            return (ami, event)

        LOGGER.debug("Removing tracking for %s", event['channel'])
        self.channels.remove(event['channel'])
        if len(self.channels) == 0:
            self.test_iteration += 1
            self.execute_test()
        return (ami, event)

    def execute_test(self):
        """Execute the current iteration of the test"""

        if not isinstance(self.iterations, list):
            return

        if self.test_iteration == len(self.iterations):
            LOGGER.info("All iterations executed; stopping")
            self.stop_reactor()
            return

        iteration = self.iterations[self.test_iteration]
        if isinstance(iteration, list):
            for channel in iteration:
                self._spawn_channel(channel)
        else:
            self._spawn_channel(iteration)

    def _spawn_channel(self, channel_def):
        """Create a new channel"""

        # There's only one Asterisk instance, so just use the first AMI factory
        LOGGER.info("Creating channel %s", channel_def['channel'])
        if not self.ami[0]:
            LOGGER.warning("Error creating channel - no ami available")
            return
        deferred = self.ami[0].originate(**channel_def)
        deferred.addErrback(self.handle_originate_failure)


class AriOriginateTestObject(AriTestObject):
    """Class that overrides AriTestObject origination to use ARI"""

    def __init__(self, test_path='', test_config=None):
        """Constructor for a test object

        :param test_path The full path to the test location
        :param test_config The YAML test configuration
        """

        if test_config is None:
            test_config = {}

        if not test_config.get('test-iterations'):
            # preset the default test in ARI format to prevent post failure
            test_config['test-iterations'] = [{
                'endpoint': 'Local/s@default',
                'channelId': 'testsuite-default-id',
                'app': 'testsuite'
            }]

        super(AriOriginateTestObject, self).__init__(test_path, test_config)

    def _spawn_channel(self, channel_def):
        """Create a new channel"""

        # Create a channel using ARI POST to channel instead
        LOGGER.info("Creating channel %s", channel_def['endpoint'])
        self.ari.post('channels', **channel_def)


class WebSocketEventModule(object):
    """Module for capturing events from the ARI WebSocket"""

    def __init__(self, module_config, test_object):
        """Constructor.

        :param module_config: Configuration dict parse from test-config.yaml.
        :param test_object: Test control object.
        """
        self.ari = test_object.ari
        self.event_matchers = [
            EventMatcher(self.ari, e, test_object)
            for e in module_config['events']]
        self.event_matchers.append(EventMatcher(self.ari, VALIDATION_MATCHER,
                                                test_object))
        test_object.register_ws_event_handler(self.on_event)

    def on_event(self, event):
        """Handle incoming events from the WebSocket.

        :param event: Dictionary parsed from incoming JSON event.
        """
        LOGGER.debug("Received event: %r", event.get('type'))
        matched = False
        for matcher in self.event_matchers:
            if matcher.on_event(event):
                matched = True
        if not matched:
            LOGGER.info("Event had no matcher: %r", event)


class AriClientFactory(WebSocketClientFactory):
    """Twisted protocol factory for building ARI WebSocket clients."""

    def __init__(self, receiver, host, apps, userpass, port=DEFAULT_PORT,
                 timeout_secs=60):
        """Constructor

        :param receiver The object that will receive events from the protocol
        :param host: Hostname of Asterisk.
        :param apps: App names to subscribe to.
        :param port: Port of Asterisk web server.
        :param timeout_secs: Maximum time to try to connect to Asterisk.
        """
        url = "ws://%s:%d/ari/events?%s" % \
              (host, port,
               urllib.urlencode({'app': apps, 'api_key': '%s:%s' % userpass}))
        LOGGER.info("WebSocketClientFactory(url=%s)", url)
        WebSocketClientFactory.__init__(self, url, debug=True,
                                        protocols=['ari'])
        self.timeout_secs = timeout_secs
        self.attempts = 0
        self.start = None
        self.receiver = receiver

    def buildProtocol(self, addr):
        """Make the protocol"""
        return AriClientProtocol(self.receiver, self)

    def clientConnectionFailed(self, connector, reason):
        """Doh, connection lost"""
        LOGGER.debug("Connection lost; attempting again in 1 second")
        reactor.callLater(1, self.reconnect)

    def connect(self):
        """Start the connection"""
        self.reconnect()

    def reconnect(self):
        """Attempt to reconnect the ARI WebSocket.

        This call will give up after timeout_secs has been exceeded.
        """
        self.attempts += 1
        LOGGER.debug("WebSocket attempt #%d", self.attempts)
        if not self.start:
            self.start = datetime.datetime.now()
        runtime = (datetime.datetime.now() - self.start).seconds
        if runtime >= self.timeout_secs:
            LOGGER.error("  Giving up after %d seconds", self.timeout_secs)
            raise Exception("Failed to connect after %d seconds" %
                            self.timeout_secs)

        connectWS(self)


class AriClientProtocol(WebSocketClientProtocol):
    """Twisted protocol for handling a ARI WebSocket connection."""

    def __init__(self, receiver, factory):
        """Constructor.

        :param receiver The event receiver
        """
        LOGGER.debug("Made me a client protocol!")
        self.receiver = receiver
        self.factory = factory

    def onOpen(self):
        """Called back when connection is open."""
        LOGGER.debug("WebSocket Open")
        self.receiver.on_ws_open(self)

    def onClose(self, wasClean, code, reason):
        """Called back when connection is closed."""
        LOGGER.debug("WebSocket closed(%r, %d, %s)", wasClean, code, reason)
        self.receiver.on_ws_closed(self)

    def onMessage(self, msg, binary):
        """Called back when message is received.

        :param msg: Received text message.
        """
        LOGGER.debug("rxed: %s", msg)
        msg = json.loads(msg)
        self.receiver.on_ws_event(msg)


class ARI(object):
    """Bare bones object for an ARI interface."""

    def __init__(self, host, userpass, port=DEFAULT_PORT):
        """Constructor.

        :param host: Hostname of Asterisk.
        :param port: Port of the Asterisk webserver.
        """
        self.base_url = "http://%s:%d/ari" % (host, port)
        self.userpass = userpass
        self.allow_errors = False

    def build_url(self, *args):
        """Build a URL from the given path.

        For example::
            # Builds the URL for /channels/{channel_id}/answer
            ari.build_url('channels', channel_id, 'answer')

        :param args: Path segments.
        """
        path = [str(arg) for arg in args]
        return '/'.join([self.base_url] + path)

    def get(self, *args, **kwargs):
        """Send a GET request to ARI.

        :param args: Path segements.
        :param kwargs: Query parameters.
        :returns: requests.models.Response
        :throws: requests.exceptions.HTTPError
        """
        url = self.build_url(*args)
        LOGGER.info("GET %s %r", url, kwargs)
        return self.raise_on_err(requests.get(url, params=kwargs,
                                              auth=self.userpass))

    def put(self, *args, **kwargs):
        """Send a PUT request to ARI.

        :param args: Path segements.
        :param kwargs: Query parameters.
        :returns: requests.models.Response
        :throws: requests.exceptions.HTTPError
        """
        url = self.build_url(*args)
        LOGGER.info("PUT %s %r", url, kwargs)
        return self.raise_on_err(requests.put(url, params=kwargs,
                                              auth=self.userpass))

    def post(self, *args, **kwargs):
        """Send a POST request to ARI.

        :param args: Path segements.
        :param kwargs: Query parameters.
        :returns: requests.models.Response
        :throws: requests.exceptions.HTTPError
        """
        url = self.build_url(*args)
        LOGGER.info("POST %s %r", url, kwargs)
        return self.raise_on_err(requests.post(url, params=kwargs,
                                               auth=self.userpass))

    def delete(self, *args, **kwargs):
        """Send a DELETE request to ARI.

        :param args: Path segements.
        :param kwargs: Query parameters.
        :returns: requests.models.Response
        :throws: requests.exceptions.HTTPError
        """
        url = self.build_url(*args)
        LOGGER.info("DELETE %s %r", url, kwargs)
        return self.raise_on_err(requests.delete(url, params=kwargs,
                                                 auth=self.userpass))

    def request(self, method, *args, **kwargs):
        """ Send an arbitrary request to ARI.

        :param method: Method (get, post, delete, etc).
        :param args: Path segements.
        :param kwargs: Query parameters.
        :returns: requests.models.Response
        :throws: requests.exceptions.HTTPError
        """
        url = self.build_url(*args)
        LOGGER.info("%s %s %r", method, url, kwargs)
        requests_method = getattr(requests, method)
        return self.raise_on_err(requests_method(url, params=kwargs,
                                                 auth=self.userpass))

    def set_allow_errors(self, value):
        """Sets whether error responses returns exceptions.

        If True, then error responses are returned. Otherwise, methods throw
        an exception on error.

        :param value True/False value for allow_errors.
        """
        self.allow_errors = value

    def raise_on_err(self, resp):
        """Helper to raise an exception when a response is a 4xx or 5xx error.

        If allow_errors is True, then an exception is not raised.

        :param resp: requests.models.Response object
        :returns: resp
        """
        if not self.allow_errors and resp.status_code / 100 != 2:
            LOGGER.error('%s (%d %s): %r', resp.url, resp.status_code,
                         resp.reason, resp.text)
            resp.raise_for_status()
        return resp


class ARIRequest(object):
    """ Object that issues ARI requests and valiates response """

    def __init__(self, ari, config):
        self.ari = ari
        self.method = config['method']
        self.uri = config['uri']
        self.params = config.get('params') or {}
        self.body = config.get('body')
        self.instance = config.get('instance')
        self.delay = config.get('delay')
        self.expect = config.get('expect')
        self.headers = None

        if self.body:
            self.body = json.dumps(self.body)
            self.headers = {'Content-type': 'application/json'}

    def send(self, values):
        """Send this ARI request substituting the given values"""
        uri = var_replace(self.uri, values)
        url = self.ari.build_url(uri)
        requests_method = getattr(requests, self.method)

        response = requests_method(
            url,
            params=self.params,
            data=self.body,
            headers=self.headers,
            auth=self.ari.userpass)

        if self.expect:
            if response.status_code != self.expect:
                LOGGER.error('sent %s %s %s expected %s response %d %s',
                             self.method, self.uri, self.params, self.expect,
                             response.status_code, response.text)
                return False
        else:
            if response.status_code / 100 != 2:
                LOGGER.error('sent %s %s %s response %d %s',
                             self.method, self.uri, self.params,
                             response.status_code, response.text)
                return False

        LOGGER.info('sent %s %s %s response %d %s',
                    self.method, self.uri, self.params,
                    response.status_code, response.text)
        return response


class EventMatcher(object):
    """Object to observe incoming events and match them against a config"""

    def __init__(self, ari, instance_config, test_object):
        self.ari = ari
        self.instance_config = instance_config
        self.test_object = test_object
        self.conditions = self.instance_config['conditions']
        self.count_range = decode_range(self.instance_config.get('count'))
        self.count = 0
        self.passed = True

        callback = self.instance_config.get('callback')
        if callback:
            module = __import__(callback['module'])
            self.callback = getattr(module, callback['method'])
        else:
            # No callback; just use a no-op
            self.callback = lambda *args, **kwargs: True

        request_list = self.instance_config.get('requests') or []
        if isinstance(request_list, dict):
            request_list = [request_list]
        self.requests = [ARIRequest(ari, request_config)
                         for request_config in request_list]

        test_object.register_stop_observer(self.on_stop)

    def on_event(self, message):
        """Callback for every received ARI event.

        :param message: Parsed event from ARI WebSocket.
        """
        if self.matches(message):
            self.count += 1

            # send any associated requests
            for request in self.requests:
                if request.instance and request.instance != self.count:
                    continue
                if request.delay:
                    reactor.callLater(request.delay, request.send, message)
                else:
                    response = request.send(message)
                    if response is False:
                        self.passed = False

            # Split call and accumulation to always call the callback
            try:
                res = self.callback(self.ari, message, self.test_object)
                if res:
                    return True
                else:
                    LOGGER.error("Callback failed: %r",
                                 self.instance_config)
                    self.passed = False
            except:
                LOGGER.error("Exception in callback: %s",
                             traceback.format_exc())
                self.passed = False

        return False

    def on_stop(self, *args):
        """Callback for the end of the test.

        :param args: Ignored arguments.
        """
        if not self.count_range.contains(self.count):
            # max could be int or float('inf'); format with %r
            LOGGER.error("Expected %d <= count <= %r; was %d (%r)",
                         self.count_range.min_value, self.count_range.max_value,
                         self.count, self.conditions)
            self.passed = False
        self.test_object.set_passed(self.passed)

    def matches(self, message):
        """Compares a message against the configured conditions.

        :param message: Incoming ARI WebSocket event.
        :returns: True if message matches conditions; False otherwise.
        """
        match = self.conditions.get('match')
        res = all_match(match, message)

        # Now validate the nomatch, if it's there
        nomatch = self.conditions.get('nomatch')
        if res and nomatch:
            res = not all_match(nomatch, message)
        return res

class Range(object):
    """Utility object to handle numeric ranges (inclusive)."""

    def __init__(self, min_value=0, max_value=float("inf")):
        """Constructor.

        :param min: Minimum value of the range.
        :param max: Maximum value of the range.
        """
        self.min_value = min_value
        self.max_value = max_value

    def contains(self, value):
        """Checks if the given value is within this Range.

        :param value: Value to check.
        :returns: True/False if v is/isn't in the Range.
        """
        return self.min_value <= value <= self.max_value


def decode_range(yaml):
    """Parse a range from YAML specification."""

    if yaml is None:
        # Unspecified; receive at least one
        return Range(1, float("inf"))
    elif isinstance(yaml, int):
        # Need exactly this many events
        return Range(yaml, yaml)
    elif yaml[0] == '<':
        # Need at most this many events
        return Range(0, int(yaml[1:]))
    elif yaml[0] == '>':
        # Need at least this many events
        return Range(int(yaml[1:]), float("inf"))
    else:
        # Need exactly this many events
        return Range(int(yaml), int(yaml))

class ARIPluggableEventModule(object):
    """Subclass of ARIEventInstance that works with the pluggable event action
    module.
    """

    def __init__(self, test_object, triggered_callback, config):
        """Setup the ARI event observer"""
        self.test_object = test_object
        self.triggered_callback = triggered_callback
        if isinstance(config, list):
            self.config = config
        else:
            self.config = [config]
        for event_description in self.config:
            event_description["expected_count_range"] =\
                decode_range(event_description.get('count', 1))
            event_description["event_count"] = 0
        test_object.register_ws_event_handler(self.event_callback)
        test_object.register_stop_observer(self.on_stop)

    def event_callback(self, event):
        """Callback called when an event is received from ARI"""
        for event_description in self.config:
            match = event_description["match"]
            nomatch = event_description.get("nomatch", None)
            if not all_match(match, event):
                continue

            # Now validate the nomatch, if it's there
            if nomatch and all_match(nomatch, event):
                continue
            event_description["event_count"] += 1
            self.triggered_callback(self, self.test_object.ari, event)

    def on_stop(self, *args):
        """Callback for the end of the test.

        :param args: Ignored arguments.
        """
        for event_desc in self.config:
            if not event_desc["expected_count_range"]\
                .contains(event_desc["event_count"]):
                # max could be int or float('inf'); format with %r
                LOGGER.error("Expected %d <= count <= %r; was %d (%r, !%r)",
                             event_desc["expected_count_range"].min_value,
                             event_desc["expected_count_range"].max_value,
                             event_desc["event_count"],
                             event_desc["match"],
                             event_desc.get("nomatch", None))
                self.test_object.set_passed(False)
            self.test_object.set_passed(True)
PLUGGABLE_EVENT_REGISTRY.register("ari-events", ARIPluggableEventModule)

class ARIPluggableRequestModule(object):
    """Pluggable ARI action module.
    """

    def __init__(self, test_object, config):
        """Setup the ARI event observer"""
        self.test_object = test_object
        if not isinstance(config, list):
            config = [config]
        self.requests = [ARIRequest(test_object.ari, request_config)
                         for request_config in config]
        self.count = 0

    def run(self, triggered_by, source, extra):
        """Callback called when this action is triggered."""
        self.count += 1
        for request in self.requests:
            if request.instance and request.instance != self.count:
                continue
            if request.delay:
                reactor.callLater(request.delay, request.send, extra)
            else:
                request.send(extra)
PLUGGABLE_ACTION_REGISTRY.register("ari-requests", ARIPluggableRequestModule)

# vim:sw=4:ts=4:expandtab:textwidth=79