blob: 3d1fe8008c056738e6b024fd47e0915d05b67091 [file] [log] [blame]
Shad Ansari47432b62021-09-27 22:46:25 +00001"""
2SPDX-FileCopyrightText: 2020-present Open Networking Foundation <info@opennetworking.org>
3SPDX-License-Identifier: LicenseRef-ONF-Member-1.01
4"""
5
6from __future__ import print_function
7
Shad Ansarid3654512021-09-29 10:31:53 -07008import cv2
Shad Ansari47432b62021-09-27 22:46:25 +00009import logging as log
10import os
11import sys
12import time
13from argparse import ArgumentParser, SUPPRESS
Shad Ansari47432b62021-09-27 22:46:25 +000014from imutils import build_montages
15from openvino.inference_engine import IECore
Shad Ansari30a23732021-09-29 23:07:21 -070016from base_camera import BaseCamera
Shad Ansari47432b62021-09-27 22:46:25 +000017
18
19def build_argparser():
20 parser = ArgumentParser(add_help=False)
21 args = parser.add_argument_group('Options')
22 args.add_argument('-h', '--help', action='help', default=SUPPRESS, help='Show this help message and exit.')
23 args.add_argument("-m", "--model", help="Required. Path to an .xml file with a trained model.",
24 required=True, type=str)
25 args.add_argument("-i", "--input",
26 help="Required. Path to video file or image. 'cam' for capturing video stream from camera",
27 required=True, type=str)
Shad Ansari47432b62021-09-27 22:46:25 +000028 args.add_argument("-l", "--cpu_extension",
29 help="Optional. Required for CPU custom layers. Absolute path to a shared library with the "
30 "kernels implementations.", type=str, default=None)
31 args.add_argument("-pp", "--plugin_dir", help="Optional. Path to a plugin folder", type=str, default=None)
32 args.add_argument("-d", "--device",
33 help="Optional. Specify the target device to infer on; CPU, GPU, FPGA, HDDL or MYRIAD is "
34 "acceptable. The demo will look for a suitable plugin for device specified. "
35 "Default value is CPU", default="CPU", type=str)
36 args.add_argument("--labels", help="Optional. Path to labels mapping file", default=None, type=str)
37 args.add_argument("-pt", "--prob_threshold", help="Optional. Probability threshold for detections filtering",
38 default=0.5, type=float)
39 args.add_argument("-ns", help='No show output', action='store_true')
40
41 return parser
42
43
Shad Ansari30a23732021-09-29 23:07:21 -070044class Camera(BaseCamera):
Shad Ansarid3654512021-09-29 10:31:53 -070045
Shad Ansaric0726e62021-10-04 22:38:53 +000046 def __init__(self, device, args):
Shad Ansari30a23732021-09-29 23:07:21 -070047 log.basicConfig(format="[ %(levelname)s ] %(message)s", level=log.INFO, stream=sys.stdout)
48 model_xml = args.model
49 model_bin = os.path.splitext(model_xml)[0] + ".bin"
Shad Ansari47432b62021-09-27 22:46:25 +000050
Shad Ansari30a23732021-09-29 23:07:21 -070051 # Read IR
52 log.info("Reading IR...")
53 net = IECore().read_network(model=model_xml, weights=model_bin)
Shad Ansari47432b62021-09-27 22:46:25 +000054
Shad Ansari30a23732021-09-29 23:07:21 -070055 assert len(net.inputs.keys()) == 1, "Demo supports only single input topologies"
56 assert len(net.outputs) == 1, "Demo supports only single output topologies"
57 self.input_blob = next(iter(net.inputs))
58 self.out_blob = next(iter(net.outputs))
Shad Ansari47432b62021-09-27 22:46:25 +000059
Shad Ansari30a23732021-09-29 23:07:21 -070060 log.info("Loading IR to the plugin...")
61 self.exec_net = IECore().load_network(network=net, device_name=args.device, num_requests=2)
62 # Read and pre-process input image
63 self.n, self.c, self.h, self.w = net.inputs[self.input_blob].shape
64 del net
65 if args.input == 'cam':
Shad Ansari79615b92021-09-30 11:15:41 -070066 self.input_stream = 0
Shad Ansari30a23732021-09-29 23:07:21 -070067 elif args.input == 'gstreamer':
Shad Ansari7f9a4512021-10-12 00:14:58 +000068 # M-JPEG
69 # self.input_stream = 'udpsrc port=500' + device + ' caps = " application/x-rtp, encoding-name=JPEG,payload=26" ! rtpjpegdepay ! decodebin ! videoconvert ! appsink'
70 # H.264
71 self.input_stream = 'udpsrc port=500' + device + ' caps = " application/x-rtp, media=(string)video, clock-rate=(int)90000, encoding-name=(string)H264, payload=(int)96" ! rtph264depay ! avdec_h264 ! videoconvert ! appsink'
Shad Ansaric0726e62021-10-04 22:38:53 +000072 print("input_stream:", self.input_stream)
Shad Ansari47432b62021-09-27 22:46:25 +000073 else:
Shad Ansari341ca3a2021-09-30 12:10:00 -070074 self.input_stream = args.input
Shad Ansari30a23732021-09-29 23:07:21 -070075 assert os.path.isfile(args.input), "Specified input file doesn't exist"
Shad Ansarid3654512021-09-29 10:31:53 -070076
Shad Ansari30a23732021-09-29 23:07:21 -070077 if args.labels:
78 with open(args.labels, 'r') as f:
79 self.labels_map = [x.strip() for x in f]
80 else:
81 self.labels_map = None
Shad Ansari47432b62021-09-27 22:46:25 +000082
Shad Ansari30a23732021-09-29 23:07:21 -070083 self.args = args
Shad Ansari47432b62021-09-27 22:46:25 +000084
Shad Ansaric0726e62021-10-04 22:38:53 +000085 super(Camera, self).__init__(device)
Shad Ansari47432b62021-09-27 22:46:25 +000086
Shad Ansari30a23732021-09-29 23:07:21 -070087 def __del__(self):
88 self.cap.release()
89 cv2.destroyAllWindows()
90
91 def frames(self):
Shad Ansari79615b92021-09-30 11:15:41 -070092
93 if self.input_stream == 'gstreamer':
94 self.cap = cv2.VideoCapture(self.input_stream, cv2.CAP_GSTREAMER)
95 else:
96 self.cap = cv2.VideoCapture(self.input_stream)
97
Shad Ansari30a23732021-09-29 23:07:21 -070098 cur_request_id = 0
99 next_request_id = 1
100
101 log.info("Starting inference in async mode...")
102 log.info("To switch between sync and async modes press Tab button")
103 log.info("To stop the demo execution press Esc button")
104
105 # Async doesn't work if True
106 # Request issues = Runtime Error: [REQUEST BUSY]
Shad Ansarief185d22021-10-14 17:49:26 +0000107 # self.is_async_mode = False
108 self.is_async_mode = True
Shad Ansari30a23732021-09-29 23:07:21 -0700109 render_time = 0
110 ret, frame = self.cap.read()
111
Shad Ansari30a23732021-09-29 23:07:21 -0700112 print("To close the application, press 'CTRL+C' or any key with focus on the output window")
113
114 while True:
115 if self.is_async_mode:
116 ret, next_frame = self.cap.read()
Shad Ansari47432b62021-09-27 22:46:25 +0000117 else:
Shad Ansari30a23732021-09-29 23:07:21 -0700118 ret, frame = self.cap.read()
119 if not ret:
120 break
Shad Ansarief185d22021-10-14 17:49:26 +0000121 initial_w = self.cap.get(cv2.CAP_PROP_FRAME_WIDTH)
122 initial_h = self.cap.get(cv2.CAP_PROP_FRAME_HEIGHT)
Shad Ansari47432b62021-09-27 22:46:25 +0000123
Shad Ansari30a23732021-09-29 23:07:21 -0700124 # Main sync point:
125 # in the truly Async mode we start the NEXT infer request, while waiting for the CURRENT to complete
126 # in the regular mode we start the CURRENT request and immediately wait for it's completion
127 inf_start = time.time()
128 if self.is_async_mode:
Shad Ansari341ca3a2021-09-30 12:10:00 -0700129 in_frame = cv2.resize(next_frame, (self.w, self.h))
130 in_frame = in_frame.transpose((2, 0, 1)) # Change data layout from HWC to CHW
131 in_frame = in_frame.reshape((self.n, self.c, self.h, self.w))
132 self.exec_net.start_async(request_id=next_request_id, inputs={self.input_blob: in_frame})
Shad Ansari30a23732021-09-29 23:07:21 -0700133 else:
Shad Ansari341ca3a2021-09-30 12:10:00 -0700134 in_frame = cv2.resize(frame, (self.w, self.h))
135 in_frame = in_frame.transpose((2, 0, 1)) # Change data layout from HWC to CHW
136 in_frame = in_frame.reshape((self.n, self.c, self.h, self.w))
137 self.exec_net.start_async(request_id=cur_request_id, inputs={self.input_blob: in_frame})
Shad Ansari47432b62021-09-27 22:46:25 +0000138
Shad Ansari30a23732021-09-29 23:07:21 -0700139 if self.exec_net.requests[cur_request_id].wait(-1) == 0:
140 inf_end = time.time()
141 det_time = inf_end - inf_start
Shad Ansari47432b62021-09-27 22:46:25 +0000142
Shad Ansari30a23732021-09-29 23:07:21 -0700143 # Parse detection results of the current request
144 res = self.exec_net.requests[cur_request_id].outputs[self.out_blob]
Shad Ansari47432b62021-09-27 22:46:25 +0000145
Shad Ansari30a23732021-09-29 23:07:21 -0700146 for obj in res[0][0]:
147 # Draw only objects when probability more than specified threshold
148 if obj[2] > self.args.prob_threshold:
149 xmin = int(obj[3] * initial_w)
150 ymin = int(obj[4] * initial_h)
151 xmax = int(obj[5] * initial_w)
152 ymax = int(obj[6] * initial_h)
153 class_id = int(obj[1])
154 # Draw box and label\class_id
Shad Ansarief185d22021-10-14 17:49:26 +0000155 color = (0, 0, 255)
Shad Ansari30a23732021-09-29 23:07:21 -0700156 cv2.rectangle(frame, (xmin, ymin), (xmax, ymax), color, 2)
157 det_label = self.labels_map[class_id] if self.labels_map else str(class_id)
158 cv2.putText(frame, det_label + ' ' + str(round(obj[2] * 100, 1)) + ' %', (xmin, ymin - 7),
159 cv2.FONT_HERSHEY_COMPLEX, 0.6, color, 1)
Shad Ansari341ca3a2021-09-30 12:10:00 -0700160 # print('Object detected, class_id:', class_id, 'probability:', obj[2], 'xmin:', xmin, 'ymin:', ymin,
161 # 'xmax:', xmax, 'ymax:', ymax)
Shad Ansari47432b62021-09-27 22:46:25 +0000162
Shad Ansaric0726e62021-10-04 22:38:53 +0000163 cv2.putText(frame, self.device, (10, int(initial_h - 20)),
164 cv2.FONT_HERSHEY_COMPLEX, 0.5, (10, 10, 200), 1)
Shad Ansari30a23732021-09-29 23:07:21 -0700165
166 render_start = time.time()
167
168 yield cv2.imencode('.jpg', frame)[1].tobytes()
169
Shad Ansari341ca3a2021-09-30 12:10:00 -0700170 render_end = time.time()
171 render_time = render_end - render_start
Shad Ansari30a23732021-09-29 23:07:21 -0700172
173 if self.is_async_mode:
174 cur_request_id, next_request_id = next_request_id, cur_request_id
Shad Ansari30a23732021-09-29 23:07:21 -0700175 frame = next_frame
Shad Ansari47432b62021-09-27 22:46:25 +0000176
177
178if __name__ == '__main__':
Shad Ansari30a23732021-09-29 23:07:21 -0700179 args = build_argparser().parse_args()
180 camera = Camera(args)
181 camera.frames()
182 del camera