コード例 #1
0
ファイル: __init__.py プロジェクト: zhangwudisong/BerryNet
 def __init__(self, service_name, engine, comm_config):
     self.service_name = service_name
     self.engine = engine
     self.comm_config = comm_config
     self.comm_config['subscribe'][
         'berrynet/data/rgbimage'] = self.inference
     self.comm = Communicator(self.comm_config, debug=True)
コード例 #2
0
class DataCollectorService(object):
    def __init__(self, comm_config, data_dirpath):
        self.comm_config = comm_config
        self.comm_config['subscribe'][
            'berrynet/engine/tensorflow/result'] = self.update
        self.comm_config['subscribe'][
            'berrynet/engine/mvclassification/result'] = self.update
        self.comm = Communicator(self.comm_config, debug=True)
        self.data_dirpath = data_dirpath

    def update(self, pl):
        if not os.path.exists(self.data_dirpath):
            try:
                os.mkdir(self.data_dirpath)
            except Exception as e:
                logger.warn('Failed to create {}'.format(self.data_dirpath))
                raise (e)

        payload_json = payload.deserialize_payload(pl.decode('utf-8'))
        jpg_bytes = payload.destringify_jpg(payload_json['bytes'])
        payload_json.pop('bytes')
        logger.debug('inference text result: {}'.format(payload_json))

        timestamp = datetime.now().isoformat()
        with open(pjoin(self.data_dirpath, timestamp + '.jpg'), 'wb') as f:
            f.write(jpg_bytes)
        with open(pjoin(self.data_dirpath, timestamp + '.json'), 'w') as f:
            f.write(json.dumps(payload_json, indent=4))

    def run(self, args):
        """Infinite loop serving inference requests"""
        self.comm.run()
コード例 #3
0
 def __init__(self, comm_config):
     self.comm_config = comm_config
     for topic, functor in self.comm_config['subscribe'].items():
         self.comm_config['subscribe'][topic] = eval(functor)
     self.comm_config['subscribe'][
         'berrynet/trigger/controller/snapshot'] = self.snapshot
     self.comm = Communicator(self.comm_config, debug=True)
コード例 #4
0
ファイル: fbdashboard.py プロジェクト: turbosree/BerryNet
class FBDashboardService(object):
    def __init__(self, comm_config, data_dirpath):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = eval(functor)
        self.comm_config['subscribe'][
            'berrynet/engine/tensorflow/result'] = self.update
        self.comm_config['subscribe'][
            'berrynet/engine/pipeline/result'] = self.update
        #self.comm_config['subscribe']['berrynet/data/rgbimage'] = self.update
        self.comm = Communicator(self.comm_config, debug=True)
        self.data_dirpath = data_dirpath
        self.frame = None

    def update(self, pl):
        if not os.path.exists(self.data_dirpath):
            try:
                os.mkdir(self.data_dirpath)
            except Exception as e:
                logger.warn('Failed to create {}'.format(self.data_dirpath))
                raise (e)

        payload_json = payload.deserialize_payload(pl.decode('utf-8'))
        if 'bytes' in payload_json.keys():
            img_k = 'bytes'
        elif 'image_blob' in payload_json.keys():
            img_k = 'image_blob'
        else:
            raise Exception('No image data in MQTT payload')
        jpg_bytes = payload.destringify_jpg(payload_json[img_k])
        payload_json.pop(img_k)
        logger.debug('inference text result: {}'.format(payload_json))

        img = payload.jpg2rgb(jpg_bytes)
        try:
            res = payload_json['annotations']
        except KeyError:
            res = [{
                'label': 'hello',
                'confidence': 0.42,
                'left': random.randint(50, 60),
                'top': random.randint(50, 60),
                'right': random.randint(300, 400),
                'bottom': random.randint(300, 400)
            }]
        self.frame = overlay_on_image(img, res)

        #timestamp = datetime.now().isoformat()
        #with open(pjoin(self.data_dirpath, timestamp + '.jpg'), 'wb') as f:
        #    f.write(jpg_bytes)
        #with open(pjoin(self.data_dirpath, timestamp + '.json'), 'w') as f:
        #    f.write(json.dumps(payload_json, indent=4))

    def update_fb(self):
        gl_draw_fbimage(self.frame)

    def run(self, args):
        """Infinite loop serving inference requests"""
        self.comm.start_nb()
コード例 #5
0
 def __init__(self, comm_config, debug=False):
     self.comm_config = comm_config
     for topic, functor in self.comm_config['subscribe'].items():
         self.comm_config['subscribe'][topic] = self.handleConfig
     self.comm = Communicator(self.comm_config, debug=True)
     idlistConfig = configparser.ConfigParser()
     idlistConfig.read(self.comm_config['idlist'])
     self.idlist = idlistConfig["ID"]
コード例 #6
0
 def __init__(self, comm_config, data_dirpath):
     self.comm_config = comm_config
     for topic, functor in self.comm_config['subscribe'].items():
         self.comm_config['subscribe'][topic] = eval(functor)
     #self.comm_config['subscribe']['berrynet/data/rgbimage'] = self.update
     self.comm_config['subscribe']['berrynet/engine/pipeline/result'] = self.save_pipeline_result
     self.comm = Communicator(self.comm_config, debug=True)
     self.data_dirpath = data_dirpath
コード例 #7
0
 def __init__(self, comm_config, data_dirpath):
     self.comm_config = comm_config
     self.comm_config['subscribe'][
         'berrynet/engine/tensorflow/result'] = self.update
     self.comm_config['subscribe'][
         'berrynet/engine/mvclassification/result'] = self.update
     self.comm = Communicator(self.comm_config, debug=True)
     self.data_dirpath = data_dirpath
コード例 #8
0
 def __init__(self, comm_config, data_dirpath):
     self.comm_config = comm_config
     for topic, functor in self.comm_config['subscribe'].items():
         self.comm_config['subscribe'][topic] = eval(functor)
     self.comm_config['subscribe']['berrynet/engine/tensorflow/result'] = self.update
     self.comm_config['subscribe']['berrynet/engine/mvclassification/result'] = self.update
     self.comm = Communicator(self.comm_config, debug=True)
     self.data_dirpath = data_dirpath
コード例 #9
0
ファイル: gmail.py プロジェクト: zhangfaquan/BerryNet
 def __init__(self, comm_config):
     self.comm_config = comm_config
     for topic, functor in self.comm_config['subscribe'].items():
         self.comm_config['subscribe'][topic] = eval(functor)
     self.comm = Communicator(self.comm_config, debug=True)
     self.email = comm_config['email']
     self.pipeline_compatible = comm_config['pipeline_compatible']
     self.target_label = comm_config['target_label']
コード例 #10
0
ファイル: dashboard.py プロジェクト: zhangwudisong/BerryNet
 def __init__(self, service_name, comm_config):
     self.service_name = service_name
     self.comm_config = comm_config
     self.comm_config['subscribe'][
         'berrynet/engine/tensorflow/result'] = self.update
     self.comm_config['subscribe'][
         'berrynet/engine/mvclassification/result'] = self.update
     self.comm = Communicator(self.comm_config, debug=True)
     self.basedir = '/usr/local/berrynet/dashboard/www/freeboard'
コード例 #11
0
 def __init__(self, service_name, engine, comm_config):
     self.service_name = service_name
     self.engine = engine
     self.comm_config = comm_config
     for topic, functor in self.comm_config['subscribe'].items():
         self.comm_config['subscribe'][topic] = eval(functor)
     self.comm_config['subscribe'][
         'berrynet/data/rgbimage'] = self.inference
     self.comm = Communicator(self.comm_config, debug=True)
コード例 #12
0
 def __init__(self, comm_config):
     self.comm_config = comm_config
     for topic, functor in self.comm_config['subscribe'].items():
         self.comm_config['subscribe'][topic] = eval(functor)
     self.comm_config['subscribe'][
         'berrynet/engine/darknet/result'] = self.update
     self.comm_config['subscribe'][
         'berrynet/engine/tensorflow/result'] = self.update
     self.comm = Communicator(self.comm_config, debug=True)
     self.email = comm_config['email']
     self.pipeline_compatible = comm_config['pipeline_compatible']
     self.target_label = comm_config['target_label']
コード例 #13
0
ファイル: telegram_bot.py プロジェクト: giaplee/BerryNet
    def __init__(self, comm_config, token, target_label='', debug=False):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = eval(functor)
        self.comm = Communicator(self.comm_config, debug=True)
        self.token = token
        self.target_label = target_label
        self.debug = debug

        # Telegram Updater employs Telegram Dispatcher which dispatches
        # updates to its registered handlers.
        self.updater = telegram.ext.Updater(self.token, use_context=True)
        self.cameraHandlers = []
コード例 #14
0
class EngineService(object):
    def __init__(self, service_name, engine, comm_config):
        self.service_name = service_name
        self.engine = engine
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = eval(functor)
        self.comm_config['subscribe'][
            'berrynet/data/rgbimage'] = self.inference
        self.comm = Communicator(self.comm_config, debug=True)

    def inference(self, pl):
        duration = lambda t: (datetime.now() - t).microseconds / 1000

        t = datetime.now()
        logger.debug('payload size: {}'.format(len(pl)))
        logger.debug('payload type: {}'.format(type(pl)))
        jpg_json = payload.deserialize_payload(pl.decode('utf-8'))
        jpg_bytes = payload.destringify_jpg(jpg_json['bytes'])
        logger.debug('destringify_jpg: {} ms'.format(duration(t)))

        t = datetime.now()
        rgb_array = payload.jpg2rgb(jpg_bytes)
        logger.debug('jpg2rgb: {} ms'.format(duration(t)))

        t = datetime.now()
        image_data = self.engine.process_input(rgb_array)
        output = self.engine.inference(image_data)
        model_outputs = self.engine.process_output(output)
        logger.debug('Result: {}'.format(model_outputs))
        logger.debug('Classification takes {} ms'.format(duration(t)))

        #self.engine.cache_data('model_output', model_outputs)
        #self.engine.cache_data('model_output_filepath', output_name)
        #self.engine.save_cache()

        self.result_hook(self.generalize_result(jpg_json, model_outputs))

    def generalize_result(self, eng_input, eng_output):
        eng_input.update(eng_output)
        return eng_input

    def result_hook(self, generalized_result):
        logger.debug('base result_hook')

    def run(self, args):
        """Infinite loop serving inference requests"""
        self.engine.create()
        self.comm.run()
コード例 #15
0
 def __init__(self,
              comm_config,
              data_dirpath=None,
              no_decoration=False,
              debug=False,
              save_frame=False):
     self.comm_config = comm_config
     for topic, functor in self.comm_config['subscribe'].items():
         self.comm_config['subscribe'][topic] = eval(functor)
     self.comm = Communicator(self.comm_config, debug=True)
     self.data_dirpath = data_dirpath
     self.no_decoration = no_decoration
     self.frame = None
     self.debug = debug
     self.save_frame = save_frame
コード例 #16
0
class PipelineRestarterService(object):
    def __init__(self, service_name, comm_config):
        self.service_name = service_name
        self.comm_config = comm_config
        self.comm_config['subscribe']['dlboxapi/config/update'] = \
            self.restart_pipeline
        self.comm = Communicator(self.comm_config, debug=True)

    def restart_pipeline(self, pl):
        logger.debug('Restart pipeline')
        subprocess.call('dlbox-manager restart dlbox-pipeline.service',
                        shell=True)

    def run(self, args):
        """Infinite loop serving pipeline restart requests"""
        self.comm.run()
コード例 #17
0
class FBDashboardService(object):
    def __init__(self, comm_config, data_dirpath):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = eval(functor)
        self.comm_config['subscribe'][
            'berrynet/engine/pipeline/result'] = self.update
        #self.comm_config['subscribe']['berrynet/data/rgbimage/0'] = self.update
        #self.comm_config['subscribe']['berrynet/data/rgbimage'] = self.update
        self.comm = Communicator(self.comm_config, debug=True)
        self.data_dirpath = data_dirpath
        self.frame = None

    def update(self, pl):
        if not os.path.exists(self.data_dirpath):
            try:
                os.mkdir(self.data_dirpath)
            except Exception as e:
                logger.warn('Failed to create {}'.format(self.data_dirpath))
                raise (e)

        payload_json = payload.deserialize_payload(pl.decode('utf-8'))
        #payload_json = payload_json[0]
        if 'bytes' in payload_json.keys():
            img_k = 'bytes'
        else:
            raise Exception('No image data in MQTT payload')
        jpg_bytes = payload.destringify_jpg(payload_json[img_k])
        payload_json.pop(img_k)
        #logger.debug('inference text result: {}'.format(payload_json))

        img = payload.jpg2rgb(jpg_bytes)
        self.frame = img

        #timestamp = datetime.now().isoformat()
        #with open(pjoin(self.data_dirpath, timestamp + '.jpg'), 'wb') as f:
        #    f.write(jpg_bytes)
        #with open(pjoin(self.data_dirpath, timestamp + '.json'), 'w') as f:
        #    f.write(json.dumps(payload_json, indent=4))

    def update_fb(self):
        gl_draw_fbimage(self.frame)

    def run(self, args):
        """Infinite loop serving inference requests"""
        self.comm.start_nb()
コード例 #18
0
ファイル: fbdashboard.py プロジェクト: hermandr/BerryNet
 def __init__(self,
              comm_config,
              data_dirpath=None,
              no_decoration=False,
              debug=False,
              save_frame=False):
     self.comm_config = comm_config
     for topic, functor in self.comm_config['subscribe'].items():
         self.comm_config['subscribe'][topic] = eval(functor)
     self.comm_config['subscribe'][
         'berrynet/engine/tensorflow/result'] = self.update
     self.comm_config['subscribe'][
         'berrynet/engine/pipeline/result'] = self.update
     #self.comm_config['subscribe']['berrynet/data/rgbimage'] = self.update
     self.comm = Communicator(self.comm_config, debug=True)
     self.data_dirpath = data_dirpath
     self.no_decoration = no_decoration
     self.frame = None
     self.debug = debug
     self.save_frame = save_frame
コード例 #19
0
ファイル: dyda_config_update.py プロジェクト: rafzk/BerryNet
class DydaConfigUpdateService(object):
    def __init__(self, comm_config, debug=False):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = self.handleConfig
        self.comm = Communicator(self.comm_config, debug=True)

    def sendConfig(self, jsonPayload):
        self.comm.send(self.comm_config['publish'], jsonPayload)
        
    def handleConfig(self, pl):
        payload_json = ""
        try:
            payload_json = payload.deserialize_payload(pl.decode('utf-8'))
            self.comm.send(self.comm_config['publish'], payload.serialize_payload(payload_json))
        except Exception as e:
            logger.info(e)

        # output config file
        with open(self.comm_config['configfile'], 'w') as configfile:
            configfile.write(payload.serialize_payload(payload_json))
            configfile.close()

        # restart service
        subprocess.run(["supervisorctl", "restart", "bnpipeline-bndyda"])
            
    def run(self, args):
        """Infinite loop serving inference requests"""
        self.comm.run()
コード例 #20
0
class DydaConfigUpdateClient(object):
    def __init__(self, comm_config, debug=False):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = self.handleResult
        self.comm = Communicator(self.comm_config, debug=True)

    def sendConfig(self, jsonPayload):
        self.comm.send(self.comm_config['publish'], jsonPayload)

    def handleResult(self, pl):
        try:
            payload_json = payload.deserialize_payload(pl.decode('utf-8'))
            print(payload_json)
            self.comm.stop_nb()
            sys.exit(0)
        except Exception as e:
            logger.info(e)

    def run(self, args):
        """Infinite loop serving inference requests"""
        with open(args['payload']) as f:
            payload = f.read()
            self.sendConfig(payload)
        self.comm.run()
コード例 #21
0
ファイル: dashboard.py プロジェクト: zhangwudisong/BerryNet
class DashboardService(object):
    def __init__(self, service_name, comm_config):
        self.service_name = service_name
        self.comm_config = comm_config
        self.comm_config['subscribe'][
            'berrynet/engine/tensorflow/result'] = self.update
        self.comm_config['subscribe'][
            'berrynet/engine/mvclassification/result'] = self.update
        self.comm = Communicator(self.comm_config, debug=True)
        self.basedir = '/usr/local/berrynet/dashboard/www/freeboard'

    def update(self, pl):
        payload_json = payload.deserialize_payload(pl.decode('utf-8'))
        jpg_bytes = payload.destringify_jpg(payload_json['bytes'])
        inference_result = [
            '{0}: {1}<br>'.format(anno['label'], anno['confidence'])
            for anno in payload_json['annotations']
        ]
        logger.debug('inference results: {}'.format(inference_result))

        with open(pjoin(self.basedir, 'snapshot.jpg'), 'wb') as f:
            f.write(jpg_bytes)
        self.comm.send('berrynet/dashboard/snapshot', 'snapshot.jpg')
        self.comm.send('berrynet/dashboard/inferenceResult',
                       json.dumps(inference_result))

    def run(self, args):
        """Infinite loop serving inference requests"""
        self.comm.run()
コード例 #22
0
    def __init__(self, comm_config, token, target_label='', debug=False):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = eval(functor)
        # NOTE: Maybe change the hard-coding topic to parameter in the future.
        self.comm_config['subscribe'][
            'berrynet/data/rgbimage'] = self.single_shot
        self.comm = Communicator(self.comm_config, debug=True)
        if os.path.isfile(token):
            self.token = self.get_token_from_config(token)
        else:
            self.token = token
        self.target_label = target_label
        self.debug = debug

        # Telegram Updater employs Telegram Dispatcher which dispatches
        # updates to its registered handlers.
        self.updater = telegram.ext.Updater(self.token, use_context=True)
        self.cameraHandlers = []

        self.shot = False
        self.single_shot_chat_id = None
コード例 #23
0
class DydaConfigUpdateService(object):
    def __init__(self, comm_config, debug=False):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = self.handleConfig
        self.comm = Communicator(self.comm_config, debug=True)
        idlistConfig = configparser.ConfigParser()
        idlistConfig.read(self.comm_config['idlist'])
        self.idlist = idlistConfig["ID"]

    def sendConfig(self, jsonPayload):
        self.comm.send(self.comm_config['publish'], jsonPayload)

    def handleConfig(self, pl):
        payload_json = ""
        try:
            id = pl.decode('utf-8')
            if (id in self.idlist):
                configFilename = self.idlist[id]
                f = open(configFilename)
                payload_json = payload.deserialize_payload(f.read())
                self.sendConfig(payload.serialize_payload(payload_json))
            else:
                logger.warning("ID %s is not in idlist" % (id))
                return
        except Exception as e:
            logger.info(e)

        # output config file
        with open(self.comm_config['configfile'], 'w') as configfile:
            configfile.write(payload.serialize_payload(payload_json))
            configfile.close()

        # restart service
        subprocess.run(["supervisorctl", "restart", "bnpipeline-bndyda"])

    def run(self, args):
        """Infinite loop serving inference requests"""
        self.comm.run()
コード例 #24
0
class SnapshotService(object):
    def __init__(self, comm_config):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = eval(functor)
        self.comm_config['subscribe'][
            'berrynet/trigger/controller/snapshot'] = self.snapshot
        self.comm = Communicator(self.comm_config, debug=True)

    def snapshot(self, pl):
        '''Send camera snapshot.

        The functionality is the same as using camera client in file mode.

        The difference is that snapshot client retrieves image from camera
        instead of given filepath.
        '''
        duration = lambda t: (datetime.now() - t).microseconds / 1000

        # WORKAROUND: Prevent VideoCapture from buffering frames.
        #     VideoCapture will buffer frames automatically, and we need
        #     to find a way to disable it.
        self.capture = cv2.VideoCapture(0)
        status, im = self.capture.read()
        if (status is False):
            logger.warn('ERROR: Failure happened when reading frame')

        t = datetime.now()
        retval, jpg_bytes = cv2.imencode('.jpg', im)
        mqtt_payload = payload.serialize_jpg(jpg_bytes)
        self.comm.send('berrynet/data/rgbimage', mqtt_payload)
        logger.debug('send: {} ms'.format(duration(t)))
        self.capture.release()

    def run(self, args):
        """Infinite loop serving inference requests"""
        self.comm.run()
コード例 #25
0
def main():
    args = parse_args()

    comm_config = {
        'subscribe': {},
        'broker': {
            'address': args['broker_ip'],
            'port': args['broker_port']
        }
    }
    comm = Communicator(comm_config, debug=True)

    duration = lambda t: (datetime.now() - t).microseconds / 1000

    if args['mode'] == 'stream':
        counter = 0
        capture = cv2.VideoCapture(0)
        while True:
            status, im = capture.read()
            if (status is False):
                logger.warn('ERROR: Failure happened when reading frame')

            t = datetime.now()
            retval, jpg_bytes = cv2.imencode('.jpg', im)
            mqtt_payload = payload.serialize_jpg(jpg_bytes)
            comm.send('berrynet/data/rgbimage', mqtt_payload)
            logger.debug('send: {} ms'.format(duration(t)))

            time.sleep(1.0 / args['fps'])
    elif args['mode'] == 'file':
        # Prepare MQTT payload
        im = cv2.imread(args['filepath'])
        retval, jpg_bytes = cv2.imencode('.jpg', im)

        t = datetime.now()
        mqtt_payload = payload.serialize_jpg(jpg_bytes)
        logger.debug('payload: {} ms'.format(duration(t)))
        logger.debug('payload size: {}'.format(len(mqtt_payload)))

        # Client publishes payload
        t = datetime.now()
        comm.send('berrynet/data/rgbimage', mqtt_payload)
        logger.debug('mqtt.publish: {} ms'.format(duration(t)))
        logger.debug('publish at {}'.format(datetime.now().isoformat()))
    else:
        logger.error('User assigned unknown mode {}'.format(args['mode']))
コード例 #26
0
def main():
    args = parse_args()
    if args['debug']:
        logger.setLevel(logging.DEBUG)
    else:
        logger.setLevel(logging.INFO)

    comm_config = {
        'subscribe': {},
        'broker': {
            'address': args['broker_ip'],
            'port': args['broker_port']
        }
    }
    comm = Communicator(comm_config, debug=True)

    duration = lambda t: (datetime.now() - t).microseconds / 1000

    if args['mode'] == 'stream':
        counter = 0
        # Check input stream source
        if args['stream_src'].isdigit():
            # source is a physically connected camera
            stream_source = '/dev/video{}'.format(int(args['stream_src']))
            capture = cv2.VideoCapture(int(args['stream_src']))
        else:
            # source is an IP camera
            stream_source = args['stream_src']
            capture = cv2.VideoCapture(args['stream_src'])
        cam_fps = capture.get(cv2.CAP_PROP_FPS)
        if cam_fps > 30 or cam_fps < 1:
            logger.warn(
                'Camera FPS is {} (>30 or <1). Set it to 30.'.format(cam_fps))
            cam_fps = 30
        out_fps = args['fps']
        interval = int(cam_fps / out_fps)

        # warmup
        #t_warmup_start = time.time()
        #t_warmup_now = time.time()
        #warmup_counter = 0
        #while t_warmup_now - t_warmup_start < 1:
        #    capture.read()
        #    warmup_counter += 1
        #    t_warmup_now = time.time()

        logger.debug('===== VideoCapture Information =====')
        logger.debug('Stream Source: {}'.format(stream_source))
        logger.debug('Camera FPS: {}'.format(cam_fps))
        logger.debug('Output FPS: {}'.format(out_fps))
        logger.debug('Interval: {}'.format(interval))
        #logger.debug('Warmup Counter: {}'.format(warmup_counter))
        logger.debug('====================================')

        while True:
            status, im = capture.read()
            if (status is False):
                logger.warn('ERROR: Failure happened when reading frame')

            counter += 1
            if counter == interval:
                logger.debug('Drop frames: {}'.format(counter - 1))
                counter = 0

                # Open a window and display the ready-to-send frame.
                # This is useful for development and debugging.
                if args['display']:
                    cv2.imshow('Frame', im)
                    cv2.waitKey(1)

                t = datetime.now()
                retval, jpg_bytes = cv2.imencode('.jpg', im)
                mqtt_payload = payload.serialize_jpg(jpg_bytes)
                comm.send('berrynet/data/rgbimage', mqtt_payload)
                logger.debug('send: {} ms'.format(duration(t)))
            else:
                pass
    elif args['mode'] == 'file':
        # Prepare MQTT payload
        im = cv2.imread(args['filepath'])
        retval, jpg_bytes = cv2.imencode('.jpg', im)

        t = datetime.now()
        mqtt_payload = payload.serialize_jpg(jpg_bytes)
        logger.debug('payload: {} ms'.format(duration(t)))
        logger.debug('payload size: {}'.format(len(mqtt_payload)))

        # Client publishes payload
        t = datetime.now()
        comm.send('berrynet/data/rgbimage', mqtt_payload)
        logger.debug('mqtt.publish: {} ms'.format(duration(t)))
        logger.debug('publish at {}'.format(datetime.now().isoformat()))
    else:
        logger.error('User assigned unknown mode {}'.format(args['mode']))
コード例 #27
0
class DataCollectorService(object):
    def __init__(self, comm_config, data_dirpath):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = eval(functor)
        #self.comm_config['subscribe']['berrynet/data/rgbimage'] = self.update
        self.comm_config['subscribe']['berrynet/engine/pipeline/result'] = self.save_pipeline_result
        self.comm = Communicator(self.comm_config, debug=True)
        self.data_dirpath = data_dirpath

    def update(self, pl):
        payload_json = payload.deserialize_payload(pl.decode('utf-8'))

        # update UI with the latest inference result
        self.ui.update(payload_json, 'bytes')

        if self.data_dirpath:
            if not os.path.exists(self.data_dirpath):
                try:
                    os.mkdir(self.data_dirpath)
                except Exception as e:
                    logger.warn('Failed to create {}'.format(self.data_dirpath))
                    raise(e)

            jpg_bytes = payload.destringify_jpg(payload_json['bytes'])
            payload_json.pop('bytes')
            logger.debug('inference text result: {}'.format(payload_json))

            timestamp = datetime.now().isoformat()
            with open(pjoin(self.data_dirpath, timestamp + '.jpg'), 'wb') as f:
                f.write(jpg_bytes)
            with open(pjoin(self.data_dirpath, timestamp + '.json'), 'w') as f:
                f.write(json.dumps(payload_json, indent=4))

    def save_pipeline_result(self, pl):
        payload_json = payload.deserialize_payload(pl.decode('utf-8'))

        # update UI with the latest inference result
        self.ui.update(payload_json, 'image_blob')

        if self.data_dirpath:
            if not os.path.exists(self.data_dirpath):
                try:
                    os.mkdir(self.data_dirpath)
                except Exception as e:
                    logger.warn('Failed to create {}'.format(self.data_dirpath))
                    raise(e)

            jpg_bytes = payload.destringify_jpg(payload_json['image_blob'])
            payload_json.pop('image_blob')
            logger.debug('inference text result: {}'.format(payload_json))

            timestamp = datetime.now().isoformat()
            with open(pjoin(self.data_dirpath, timestamp + '.jpg'), 'wb') as f:
                f.write(jpg_bytes)
            with open(pjoin(self.data_dirpath, timestamp + '.json'), 'w') as f:
                f.write(json.dumps(payload_json, indent=4))

    def send_snapshot_trigger(self):
        payload = {}
        payload['timestamp'] = datetime.now().isoformat()
        mqtt_payload = json.dumps(payload)
        self.comm.send('berrynet/trigger/controller/snapshot', mqtt_payload)

    def run(self, args):
        """Infinite loop serving inference requests"""
        self.comm.run()
コード例 #28
0
def main():
    args = parse_args()
    if args['debug']:
        logger.setLevel(logging.DEBUG)
    else:
        logger.setLevel(logging.INFO)

    comm_config = {
        'subscribe': {},
        'broker': {
            'address': args['broker_ip'],
            'port': args['broker_port']
        }
    }
    comm = Communicator(comm_config, debug=True)

    duration = lambda t: (datetime.now() - t).microseconds / 1000

    if args['mode'] == 'stream':
        counter = 0
        # Check input stream source
        if args['stream_src'].isdigit():
            # source is a physically connected camera
            stream_source = '/dev/video{}'.format(int(args['stream_src']))
            capture = cv2.VideoCapture(int(args['stream_src']))
        else:
            # source is an IP camera
            stream_source = args['stream_src']
            capture = cv2.VideoCapture(args['stream_src'])
        cam_fps = capture.get(cv2.CAP_PROP_FPS)
        if cam_fps > 30 or cam_fps < 1:
            logger.warn(
                'Camera FPS is {} (>30 or <1). Set it to 30.'.format(cam_fps))
            cam_fps = 30
        out_fps = args['fps']
        interval = int(cam_fps / out_fps)

        # warmup
        #t_warmup_start = time.time()
        #t_warmup_now = time.time()
        #warmup_counter = 0
        #while t_warmup_now - t_warmup_start < 1:
        #    capture.read()
        #    warmup_counter += 1
        #    t_warmup_now = time.time()

        logger.debug('===== VideoCapture Information =====')
        logger.debug('Stream Source: {}'.format(stream_source))
        logger.debug('Camera FPS: {}'.format(cam_fps))
        logger.debug('Output FPS: {}'.format(out_fps))
        logger.debug('Interval: {}'.format(interval))
        #logger.debug('Warmup Counter: {}'.format(warmup_counter))
        logger.debug('====================================')

        while True:
            status, im = capture.read()
            if (status is False):
                logger.warn('ERROR: Failure happened when reading frame')

            # NOTE: Hard-coding rotation for AIKEA onboard camera.
            #       We will add parameter support in the future.
            im = tinycv.rotate_ccw_opencv(im)

            counter += 1
            if counter == interval:
                logger.debug('Drop frames: {}'.format(counter - 1))
                counter = 0

                # Open a window and display the ready-to-send frame.
                # This is useful for development and debugging.
                if args['display']:
                    cv2.imshow('Frame', im)
                    cv2.waitKey(1)

                t = datetime.now()
                #logger.debug('write frame to /tmp/output.jpg')
                #cv2.imwrite('/tmp/output.jpg', im)
                retval, jpg_bytes = cv2.imencode('.jpg', im)
                obj = {}
                obj['timestamp'] = datetime.now().isoformat()
                obj['bytes'] = payload.stringify_jpg(jpg_bytes)
                obj['meta'] = {
                    'roi': [{
                        'top': 50,
                        #'left': 341,
                        #'bottom': 500,
                        #'right': 682,
                        #'left': 640,
                        #'bottom': 980,
                        #'right': 1280,
                        'left': 10,
                        'bottom': 600,
                        'right': 600,
                        'overlap_threshold': 0.5
                    }]
                }
                logger.debug('timestamp: {}'.format(obj['timestamp']))
                logger.debug('bytes len: {}'.format(len(obj['bytes'])))
                logger.debug('meta: {}'.format(obj['meta']))
                mqtt_payload = payload.serialize_payload([obj])
                comm.send('berrynet/data/rgbimage', mqtt_payload)
                logger.debug('send: {} ms'.format(duration(t)))
            else:
                pass
    elif args['mode'] == 'file':
        # Prepare MQTT payload
        im = cv2.imread(args['filepath'])
        retval, jpg_bytes = cv2.imencode('.jpg', im)

        t = datetime.now()
        obj = {}
        obj['timestamp'] = datetime.now().isoformat()
        obj['bytes'] = payload.stringify_jpg(jpg_bytes)
        obj['meta'] = {
            'roi': [{
                'top': 50,
                'left': 10,
                'bottom': 600,
                'right': 600,
                'overlap_threshold': 0.5
            }]
        }
        mqtt_payload = payload.serialize_payload([obj])
        logger.debug('payload: {} ms'.format(duration(t)))
        logger.debug('payload size: {}'.format(len(mqtt_payload)))

        # Client publishes payload
        t = datetime.now()
        comm.send('berrynet/data/rgbimage', mqtt_payload)
        logger.debug('mqtt.publish: {} ms'.format(duration(t)))
        logger.debug('publish at {}'.format(datetime.now().isoformat()))
    else:
        logger.error('User assigned unknown mode {}'.format(args['mode']))
コード例 #29
0
class TelegramBotService(object):
    def __init__(self, comm_config, token, target_label='', debug=False):
        self.comm_config = comm_config
        for topic, functor in self.comm_config['subscribe'].items():
            self.comm_config['subscribe'][topic] = eval(functor)
        # NOTE: Maybe change the hard-coding topic to parameter in the future.
        self.comm_config['subscribe'][
            'berrynet/data/rgbimage'] = self.single_shot
        self.comm = Communicator(self.comm_config, debug=True)
        if os.path.isfile(token):
            self.token = self.get_token_from_config(token)
        else:
            self.token = token
        self.target_label = target_label
        self.debug = debug

        # Telegram Updater employs Telegram Dispatcher which dispatches
        # updates to its registered handlers.
        self.updater = telegram.ext.Updater(self.token, use_context=True)
        self.cameraHandlers = []

        self.shot = False
        self.single_shot_chat_id = None

    def get_token_from_config(self, config):
        with open(config) as f:
            cfg = json.load(f)
        return cfg['token']

    def match_target_label(self, target_label, bn_result):
        labels = [r['label'] for r in bn_result['annotations']]
        if target_label in labels:
            logger.debug('Find {0} in inference result {1}'.format(
                target_label, labels))
            return True
        else:
            logger.debug('Not find {0} in inference result {1}'.format(
                target_label, labels))
            return False

    def update(self, pl):
        try:
            payload_json = payload.deserialize_payload(pl.decode('utf-8'))
            jpg_bytes = payload.destringify_jpg(payload_json["bytes"])
            jpg_file_descriptor = io.BytesIO(jpg_bytes)

            for u in self.cameraHandlers:
                if self.updater is None:
                    continue

                if self.target_label == '':
                    if len(payload_json['annotations']) > 0:
                        logger.debug("Send photo to %s" % u)
                        self.updater.bot.send_photo(chat_id=u,
                                                    photo=jpg_file_descriptor)
                    else:
                        logger.debug("Does not detect any object, no action")
                elif self.match_target_label(self.target_label, payload_json):
                    logger.info("Send notification photo with result to %s" %
                                u)
                    self.updater.bot.send_photo(chat_id=u,
                                                photo=jpg_file_descriptor)
                else:
                    pass
        except Exception as e:
            logger.info(e)

    def single_shot(self, pl):
        """Capture an image from camera client and send to the client.
        """
        if self.shot is True:
            try:
                payload_json = payload.deserialize_payload(pl.decode('utf-8'))
                # WORKAROUND: Support customized camera client.
                #
                # Original camera client sends an `obj` in payload,
                # Customized camera client sends an `[obj]` in payload.
                #
                # We are unifying the rules. Before that, checking the type
                # as workaround.
                if type(payload_json) is list:
                    logger.debug('WORDAROUND: receive and unpack [obj]')
                    payload_json = payload_json[0]
                jpg_bytes = payload.destringify_jpg(payload_json["bytes"])
                jpg_file_descriptor = io.BytesIO(jpg_bytes)

                logger.info('Send single shot')
                self.updater.bot.send_photo(chat_id=self.single_shot_chat_id,
                                            photo=jpg_file_descriptor)
            except Exception as e:
                logger.info(e)

            self.shot = False
        else:
            logger.debug('Single shot is disabled, do nothing.')

    def run(self, args):
        """Infinite loop serving inference requests"""
        self.comm.start_nb()
        self.connect_telegram(args)

    def connect_telegram(self, args):
        try:
            self.updater.dispatcher.add_handler(
                telegram.ext.CommandHandler('help', self.handler_help))
            self.updater.dispatcher.add_handler(
                telegram.ext.CommandHandler('hi', self.handler_hi))
            self.updater.dispatcher.add_handler(
                telegram.ext.CommandHandler('camera', self.handler_camera))
            self.updater.dispatcher.add_handler(
                telegram.ext.CommandHandler('stop', self.handler_stop))
            self.updater.dispatcher.add_handler(
                telegram.ext.CommandHandler('shot', self.handler_shot))
            if (args["has_getlog"]):
                self.updater.dispatcher.add_handler(
                    telegram.ext.CommandHandler('getlog', self.handler_getlog))
            self.updater.start_polling()
        except Exception as e:
            logger.critical(e)

    def handler_help(self, update, context):
        logger.info("Received command `help`")
        update.message.reply_text(('I support these commands:\n\n'
                                   'help - Display help message.\n'
                                   'hi - Test Telegram client.\n'
                                   'camera - Start camera.\n'
                                   'stop - Stop camera.\n'
                                   'shot - Take a shot from camera.'))

    def handler_hi(self, update, context):
        logger.info("Received command `hi`")
        update.message.reply_text('Hi, {}'.format(
            update.message.from_user.first_name))

    def handler_camera(self, update, context):
        logger.info("Received command `camera`, chat id: %s" %
                    update.message.chat_id)
        # Register the chat-id for receiving images
        if (update.message.chat_id not in self.cameraHandlers):
            self.cameraHandlers.append(update.message.chat_id)
        update.message.reply_text('Dear, I am ready to help send notification')

    def handler_stop(self, update, context):
        logger.info("Received command `stop`, chat id: %s" %
                    update.message.chat_id)
        # Register the chat-id for receiving images
        while (update.message.chat_id in self.cameraHandlers):
            self.cameraHandlers.remove(update.message.chat_id)
        update.message.reply_text('Bye')

    def handler_shot(self, update, context):
        logger.info("Received command `shot`, chat id: %s" %
                    update.message.chat_id)
        # Register the chat-id for receiving images
        self.shot = True
        self.single_shot_chat_id = update.message.chat_id
        logger.debug('Enable single shot.')

    def handler_getlog(self, update, context):
        logger.info("Received command `getlog`, chat id: %s" %
                    update.message.chat_id)
        # Create temporary tar.xz file
        tmpTGZ1 = tempfile.NamedTemporaryFile(suffix=".tar.xz")
        tmpTGZ = tarfile.open(fileobj=tmpTGZ1, mode="w:xz")
        tmpTGZPath = tmpTGZ1.name

        # Traverse /var/log
        varlogDir = os.path.abspath(os.path.join(os.sep, "var", "log"))
        for root, dirs, files in os.walk(varlogDir):
            for file in files:
                fullPath = os.path.join(root, file)
                # Check if the file is a regular file
                if not os.path.isfile(fullPath):
                    continue
                # Check if the file is accessible
                if not os.access(fullPath, os.R_OK):
                    continue
                # Pack the file
                tmpTGZ.add(name=fullPath, recursive=False)
        tmpTGZ.close()
        self.updater.bot.send_document(
            chat_id=update.message.chat_id,
            document=open(tmpTGZPath, 'rb'),
            filename=time.strftime('berrynet-varlog_%Y%m%d_%H%M%S.tar.xz'))
コード例 #30
0
ファイル: camera.py プロジェクト: victorcasignia/BerryNet
def main():
    args = parse_args()
    if args['debug']:
        logger.setLevel(logging.DEBUG)
    else:
        logger.setLevel(logging.INFO)

    comm_config = {
        'subscribe': {},
        'broker': {
            'address': args['broker_ip'],
            'port': args['broker_port']
        }
    }
    comm = Communicator(comm_config, debug=True)

    duration = lambda t: (datetime.now() - t).microseconds / 1000

    metadata = json.loads(args.get('meta', '{}'))

    if args['mode'] == 'stream':
        counter = 0
        fail_counter = 0

        # Check input stream source
        if args['stream_src'].isdigit():
            # source is a physically connected camera
            stream_source = int(args['stream_src'])
        else:
            # source is an IP camera
            stream_source = args['stream_src']
        capture = cv2.VideoCapture(stream_source)
        cam_fps = capture.get(cv2.CAP_PROP_FPS)
        if cam_fps > 30 or cam_fps < 1:
            logger.warn('Camera FPS is {} (>30 or <1). Set it to 30.'.format(cam_fps))
            cam_fps = 30
        out_fps = args['fps']
        interval = int(cam_fps / out_fps)

        # warmup
        #t_warmup_start = time.time()
        #t_warmup_now = time.time()
        #warmup_counter = 0
        #while t_warmup_now - t_warmup_start < 1:
        #    capture.read()
        #    warmup_counter += 1
        #    t_warmup_now = time.time()

        logger.debug('===== VideoCapture Information =====')
        if stream_source.isdigit():
            stream_source_uri = '/dev/video{}'.format(stream_source)
        else:
            stream_source_uri = stream_source
        logger.debug('Stream Source: {}'.format(stream_source_uri))
        logger.debug('Camera FPS: {}'.format(cam_fps))
        logger.debug('Output FPS: {}'.format(out_fps))
        logger.debug('Interval: {}'.format(interval))
        logger.debug('Send MQTT Topic: {}'.format(args['topic']))
        #logger.debug('Warmup Counter: {}'.format(warmup_counter))
        logger.debug('====================================')

        while True:
            status, im = capture.read()

            # To verify whether the input source is alive, you should use the
            # return value of capture.read(). It will not work by capturing
            # exception of a capture instance, or by checking the return value
            # of capture.isOpened().
            #
            # Two reasons:
            # 1. If a dead stream is alive again, capture will not notify
            #    that input source is dead.
            #
            # 2. If you check capture.isOpened(), it will keep retruning
            #    True if a stream is dead afterward. So you can not use
            #    the capture return value (capture status) to determine
            #    whether a stream is alive or not.
            if (status is True):
                counter += 1
                if counter == interval:
                    logger.debug('Drop frames: {}'.format(counter-1))
                    counter = 0

                    # Open a window and display the ready-to-send frame.
                    # This is useful for development and debugging.
                    if args['display']:
                        cv2.imshow('Frame', im)
                        cv2.waitKey(1)

                    t = datetime.now()
                    retval, jpg_bytes = cv2.imencode('.jpg', im)
                    mqtt_payload = payload.serialize_jpg(jpg_bytes, args['hash'], metadata)
                    comm.send(args['topic'], mqtt_payload)
                    logger.debug('send: {} ms'.format(duration(t)))
                else:
                    pass
            else:
                fail_counter += 1
                logger.critical('ERROR: Failure #{} happened when reading frame'.format(fail_counter))

                # Re-create capture.
                capture.release()
                logger.critical('Re-create a capture and reconnect to {} after 5s'.format(stream_source))
                time.sleep(5)
                capture = cv2.VideoCapture(stream_source)
    elif args['mode'] == 'file':
        # Prepare MQTT payload
        im = cv2.imread(args['filepath'])
        retval, jpg_bytes = cv2.imencode('.jpg', im)

        t = datetime.now()
        mqtt_payload = payload.serialize_jpg(jpg_bytes, args['hash'], metadata)
        logger.debug('payload: {} ms'.format(duration(t)))
        logger.debug('payload size: {}'.format(len(mqtt_payload)))

        # Client publishes payload
        t = datetime.now()
        comm.send(args['topic'], mqtt_payload)
        logger.debug('mqtt.publish: {} ms'.format(duration(t)))
        logger.debug('publish at {}'.format(datetime.now().isoformat()))
    else:
        logger.error('User assigned unknown mode {}'.format(args['mode']))