• 【毕业设计】深度学习社交安全距离检测系统 - python opencv



    0 前言

    🔥 Hi,大家好,这里是丹成学长的毕设系列文章!

    🔥 对毕设有任何疑问都可以问学长哦!

    这两年开始,各个学校对毕设的要求越来越高,难度也越来越大… 毕业设计耗费时间,耗费精力,甚至有些题目即使是专业的老师或者硕士生也需要很长时间,所以一旦发现问题,一定要提前准备,避免到后面措手不及,草草了事。

    为了大家能够顺利以及最少的精力通过毕设,学长分享优质毕业设计项目,今天要分享的新项目是

    🚩 基于深度学习疫情社交安全距离检测算法

    🥇学长这里给一个题目综合评分(每项满分5分)

    • 难度系数:4分
    • 工作量:4分
    • 创新点:3分

    🧿 选题指导, 项目分享:

    https://gitee.com/yaa-dc/BJH/blob/master/gg/cc/README.md

    1 课题背景

    安全的社交距离是公共预防传染病毒的途径之一。所以,在人群密集的区域进行社交距离的安全评估是十分重要的。社交距离的测量旨在保持个体之间的物理距离和减少相互接触的人群来减缓或阻止病毒传播,在抗击病毒和预防大流感中发挥重要作用。但时刻保持安全距离具有一定的难度,特别是在校园,工厂等场所,在这种情况下,开发智能摄像头等技术尤为关键。将人工智能,深度学习集成至安全摄像头对行人进行社交距离评估。现阶段针对疫情防范的要求,主要采用人工干预和计算机处理技术。人工干预存在人力资源要求高,风险大,时间成本高等等缺点。计算机处理等人工智能技术的发展,对社交安全距离的安全评估具有良好的效果。

    2 实现效果

    通过距离分类人群的高危险和低危险距离。

    在这里插入图片描述
    相关代码

    import argparse
    from utils.datasets import *
    from utils.utils import *
     
    def detect(save_img=False):
        out, source, weights, view_img, save_txt, imgsz = \
            opt.output, opt.source, opt.weights, opt.view_img, opt.save_txt, opt.img_size
        webcam = source == '0' or source.startswith('rtsp') or source.startswith('http') or source.endswith('.txt')
     
        # Initialize
        device = torch_utils.select_device(opt.device)
        if os.path.exists(out):
            shutil.rmtree(out)  # delete output folder
        os.makedirs(out)  # make new output folder
        half = device.type != 'cpu'  # half precision only supported on CUDA
     
        # Load model
        google_utils.attempt_download(weights)
        model = torch.load(weights, map_location=device)['model'].float()  # load to FP32
        # torch.save(torch.load(weights, map_location=device), weights)  # update model if SourceChangeWarning
        # model.fuse()
        model.to(device).eval()
        if half:
            model.half()  # to FP16
     
        # Second-stage classifier
        classify = False
        if classify:
            modelc = torch_utils.load_classifier(name='resnet101', n=2)  # initialize
            modelc.load_state_dict(torch.load('weights/resnet101.pt', map_location=device)['model'])  # load weights
            modelc.to(device).eval()
     
        # Set Dataloader
        vid_path, vid_writer = None, None
        if webcam:
            view_img = True
            torch.backends.cudnn.benchmark = True  # set True to speed up constant image size inference
            dataset = LoadStreams(source, img_size=imgsz)
        else:
            save_img = True
            dataset = LoadImages(source, img_size=imgsz)
     
        # Get names and colors
        names = model.names if hasattr(model, 'names') else model.modules.names
        colors = [[random.randint(0, 255) for _ in range(3)] for _ in range(len(names))]
     
        # Run inference
        t0 = time.time()
        img = torch.zeros((1, 3, imgsz, imgsz), device=device)  # init img
        _ = model(img.half() if half else img) if device.type != 'cpu' else None  # run once
        for path, img, im0s, vid_cap in dataset:
            img = torch.from_numpy(img).to(device)
            img = img.half() if half else img.float()  # uint8 to fp16/32
            img /= 255.0  # 0 - 255 to 0.0 - 1.0
            if img.ndimension() == 3:
                img = img.unsqueeze(0)
     
            # Inference
            t1 = torch_utils.time_synchronized()
            pred = model(img, augment=opt.augment)[0]
     
            # Apply NMS
            pred = non_max_suppression(pred, opt.conf_thres, opt.iou_thres,
                                       fast=True, classes=opt.classes, agnostic=opt.agnostic_nms)
            t2 = torch_utils.time_synchronized()
     
            # Apply Classifier
            if classify:
                pred = apply_classifier(pred, modelc, img, im0s)
     
            # List to store bounding coordinates of people
            people_coords = []
     
            # Process detections
            for i, det in enumerate(pred):  # detections per image
                if webcam:  # batch_size >= 1
                    p, s, im0 = path[i], '%g: ' % i, im0s[i].copy()
                else:
                    p, s, im0 = path, '', im0s
     
                save_path = str(Path(out) / Path(p).name)
                s += '%gx%g ' % img.shape[2:]  # print string
                gn = torch.tensor(im0.shape)[[1, 0, 1, 0]]  #  normalization gain whwh
                if det is not None and len(det):
                    # Rescale boxes from img_size to im0 size
                    det[:, :4] = scale_coords(img.shape[2:], det[:, :4], im0.shape).round()
     
                    # Print results
                    for c in det[:, -1].unique():
                        n = (det[:, -1] == c).sum()  # detections per class
                        s += '%g %ss, ' % (n, names[int(c)])  # add to string
     
                    # Write results
                    for *xyxy, conf, cls in det:
                        if save_txt:  # Write to file
                            xywh = (xyxy2xywh(torch.tensor(xyxy).view(1, 4)) / gn).view(-1).tolist()  # normalized xywh
                            with open(save_path[:save_path.rfind('.')] + '.txt', 'a') as file:
                                file.write(('%g ' * 5 + '\n') % (cls, *xywh))  # label format
     
                        if save_img or view_img:  # Add bbox to image
                            label = '%s %.2f' % (names[int(cls)], conf)
                            if label is not None:
                                if (label.split())[0] == 'person':
                                    people_coords.append(xyxy)
                                    # plot_one_box(xyxy, im0, line_thickness=3)
                                    plot_dots_on_people(xyxy, im0)
     
                # Plot lines connecting people
                distancing(people_coords, im0, dist_thres_lim=(200,250))
     
                # Print time (inference + NMS)
                print('%sDone. (%.3fs)' % (s, t2 - t1))
     
                # Stream results
                if view_img:
                    cv2.imshow(p, im0)
                    if cv2.waitKey(1) == ord('q'):  # q to quit
                        raise StopIteration
     
                # Save results (image with detections)
                if save_img:
                    if dataset.mode == 'images':
                        cv2.imwrite(save_path, im0)
                    else:
                        if vid_path != save_path:  # new video
                            vid_path = save_path
                            if isinstance(vid_writer, cv2.VideoWriter):
                                vid_writer.release()  # release previous video writer
     
                            fps = vid_cap.get(cv2.CAP_PROP_FPS)
                            w = int(vid_cap.get(cv2.CAP_PROP_FRAME_WIDTH))
                            h = int(vid_cap.get(cv2.CAP_PROP_FRAME_HEIGHT))
                            vid_writer = cv2.VideoWriter(save_path, cv2.VideoWriter_fourcc(*opt.fourcc), fps, (w, h))
                        vid_writer.write(im0)
     
        if save_txt or save_img:
            print('Results saved to %s' % os.getcwd() + os.sep + out)
            if platform == 'darwin':  # MacOS
                os.system('open ' + save_path)
     
        print('Done. (%.3fs)' % (time.time() - t0))
     
    
    • 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

    3 相关技术

    3.1 YOLOV4

    YOLOv4使用卷积网络 CSPDarknet-53 特征提取,网络结构模型如图 2 所示。在每个 Darknet-53的残块行加上 CSP(Cross Stage Partial)结构13,将基础层划分为两部分,再通过跨层次结构的特征融合进行合并。并采用 FPN( feature pyramid networks)结构加强特征金字塔,最后用不同层的特征的高分辨率来提取不同尺度特征图进行对象检测。最终网络输出 3 个不同尺度的特征图,在三个不同尺度特征图上分别使用 3 个不同的先验框(anchors)进行预测识别,使得远近大小目标均能得到较好的检测。
    在这里插入图片描述
    YOLOv4 的先验框尺寸是经PASCALL_VOC,COCO 数据集包含的种类复杂而生成的,并不一定完全适合行人。本研究旨在研究行人之间的社交距离,针对行人目标检测,利用聚类算法对 YOLOv4 的先验框微调,首先将行人数据集F依据相似性分为i个对象,即在这里插入图片描述,其中每个对象都具有 m 个维度的属性。聚类算法的目的是 i 个对象依据相似性聚集到指定的 j 个类簇,每个对象属于且仅属于一个其到类簇中心距离最小的类簇中心。初始化 j 个 聚 类 中 心C c c c   1 2 , ,..., j,计算每一个对象到每一个聚类中心的欧式距离,见公式
    在这里插入图片描述
    之后,依次比较每个对象到每个聚类中心的距离,将对象分配至距离最近的簇类中心的类簇中,
    得到 在这里插入图片描述个类簇S s s s  1 2 , ,..., l,聚类算法中定义了类簇的原型,类簇中心就是类簇内所有对象在各个维度的均值,其公式见
    在这里插入图片描述
    相关代码

    def check_anchors(dataset, model, thr=4.0, imgsz=640):
        # Check anchor fit to data, recompute if necessary
        print('\nAnalyzing anchors... ', end='')
        m = model.module.model[-1] if hasattr(model, 'module') else model.model[-1]  # Detect()
        shapes = imgsz * dataset.shapes / dataset.shapes.max(1, keepdims=True)
        wh = torch.tensor(np.concatenate([l[:, 3:5] * s for s, l in zip(shapes, dataset.labels)])).float()  # wh
    
        def metric(k):  # compute metric
            r = wh[:, None] / k[None]
            x = torch.min(r, 1. / r).min(2)[0]  # ratio metric
            best = x.max(1)[0]  # best_x
            return (best > 1. / thr).float().mean()  #  best possible recall
    
        bpr = metric(m.anchor_grid.clone().cpu().view(-1, 2))
        print('Best Possible Recall (BPR) = %.4f' % bpr, end='')
        if bpr < 0.99:  # threshold to recompute
            print('. Attempting to generate improved anchors, please wait...' % bpr)
            na = m.anchor_grid.numel() // 2  # number of anchors
            new_anchors = kmean_anchors(dataset, n=na, img_size=imgsz, thr=thr, gen=1000, verbose=False)
            new_bpr = metric(new_anchors.reshape(-1, 2))
            if new_bpr > bpr:  # replace anchors
                new_anchors = torch.tensor(new_anchors, device=m.anchors.device).type_as(m.anchors)
                m.anchor_grid[:] = new_anchors.clone().view_as(m.anchor_grid)  # for inference
                m.anchors[:] = new_anchors.clone().view_as(m.anchors) / m.stride.to(m.anchors.device).view(-1, 1, 1)  # loss
                print('New anchors saved to model. Update model *.yaml to use these anchors in the future.')
            else:
                print('Original anchors better than new anchors. Proceeding with original anchors.')
        print('')  # newline
    
    • 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

    3.2 基于 DeepSort 算法的行人跟踪

    YOLOv4中完成行人目标检测后生成边界框(Bounding box,Bbox),Bbox 含有包含最小化行人边框矩形的坐标信息,本研究引入 DeepSort 算法[18]完成对行人的质点进行跟踪,目的是为了在运动矢量分析时算行人安全社交距离中。首先,对行人进行质点化计算。其质点计算公式如
    在这里插入图片描述
    确定行人质点后,利用 DeepSort 算法实现对多个目标的精确定位与跟踪,其核心算法流程如图所示:
    在这里插入图片描述
    相关代码

    class TrackState:
    	'''
    	单个轨迹的三种状态
    	'''
        Tentative = 1 #不确定态
        Confirmed = 2 #确定态
        Deleted = 3 #删除态
    
    class Track:
        def __init__(self, mean, covariance, track_id, class_id, conf, n_init, max_age,
                     feature=None):
            '''
            mean:位置、速度状态分布均值向量,维度(8×1)
            convariance:位置、速度状态分布方差矩阵,维度(8×8)
            track_id:轨迹ID
            class_id:轨迹所属类别
            hits:轨迹更新次数(初始化为1),即轨迹与目标连续匹配成功次数
            age:轨迹连续存在的帧数(初始化为1),即轨迹出现到被删除的连续总帧数
            time_since_update:轨迹距离上次更新后的连续帧数(初始化为0),即轨迹与目标连续匹配失败次数
            state:轨迹状态
            features:轨迹所属目标的外观语义特征,轨迹匹配成功时添加当前帧的新外观语义特征
            conf:轨迹所属目标的置信度得分
            _n_init:轨迹状态由不确定态到确定态所需连续匹配成功的次数
            _max_age:轨迹状态由不确定态到删除态所需连续匹配失败的次数
            '''   
            self.mean = mean
            self.covariance = covariance
            self.track_id = track_id
            self.class_id = int(class_id)
            self.hits = 1
            self.age = 1
            self.time_since_update = 0
    
            self.state = TrackState.Tentative
            self.features = []
            if feature is not None:
                self.features.append(feature) #若不为None,初始化外观语义特征
    
            self.conf = conf
            self._n_init = n_init
            self._max_age = max_age
    
        def increment_age(self):
        	'''
        	预测下一帧轨迹时调用
        	'''
            self.age += 1 #轨迹连续存在帧数+1
            self.time_since_update += 1 #轨迹连续匹配失败次数+1
    
        def predict(self, kf):
        	'''
        	预测下一帧轨迹信息
        	'''
            self.mean, self.covariance = kf.predict(self.mean, self.covariance) #卡尔曼滤波预测下一帧轨迹的状态均值和方差
            self.increment_age() #调用函数,age+1,time_since_update+1
    
        def update(self, kf, detection, class_id, conf):
        	'''
        	更新匹配成功的轨迹信息
        	'''
            self.conf = conf #更新置信度得分
            self.mean, self.covariance = kf.update(
                self.mean, self.covariance, detection.to_xyah()) #卡尔曼滤波更新轨迹的状态均值和方差
            self.features.append(detection.feature) #添加轨迹对应目标框的外观语义特征
            self.class_id = class_id.int() #更新轨迹所属类别
    
            self.hits += 1 #轨迹匹配成功次数+1
            self.time_since_update = 0 #匹配成功时,轨迹连续匹配失败次数归0
            if self.state == TrackState.Tentative and self.hits >= self._n_init:
                self.state = TrackState.Confirmed #当连续匹配成功次数达标时轨迹由不确定态转为确定态
    
        def mark_missed(self):
        	'''
        	将轨迹状态转为删除态
        	'''
            if self.state == TrackState.Tentative:
                self.state = TrackState.Deleted #当级联匹配和IOU匹配后仍为不确定态
            elif self.time_since_update > self._max_age:
                self.state = TrackState.Deleted #当连续匹配失败次数超标
    
    	'''
    	该部分还存在一些轨迹坐标转化及状态判定函数,具体可参考代码来源
    	'''
    
    
    • 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

    4 最后

  • 相关阅读:
    【设计模式】七大原则之“接口隔离原则”
    oracle使用regexp_substr来拆分,CONNECT BY LEVEL查询卡死,速度慢的问题。
    HDLBits: 在线学习 SystemVerilog(十三)-Problem 72-79(卡诺图)
    【Java每日一题】— —第十八题:求二维数组中的元素最小值及其索引。(2023.10.02)
    PHP中“->“和“=>“的区别
    Centos - 虚拟机初始化网络配置
    【JDK 8-集合框架进阶】6.1 parallelStream 并行流
    目标检测论文解读复现之十六:基于改进YOLOv5的小目标检测算法
    基于JAVA-英杰学堂网上教学平台-计算机毕业设计源码+系统+mysql数据库+lw文档+部署
    刷题神器!把LeetCode题目生成卡片;苏黎世联邦理工『数据科学数学基础』课程;深度学习实例锦囊(含代码) ;前沿论文 | ShowMeAI资讯日报
  • 原文地址:https://blog.csdn.net/caxiou/article/details/128128103