热门标签 | HotTags
当前位置:  开发笔记 > 编程语言 > 正文

关于物体(车辆)震颤(熄火)检测研究

关于物体(车辆)震颤(熄火)检测研究关于物体(车辆)震颤(熄火)检测

关于物体(车辆)震颤(熄火)检测研究关于物体(车辆)震颤(熄火)检测研究()()



一 分析视频数据中车辆的振动和光影变化


1.1 边缘检测

import cv2
import os
import time
import torch.nn as nn
import torch
import numpy as np
import torchvision.transforms as transforms
import torchvision
from PIL import Image
from matplotlib import pyplot as pltnp.set_printoptions(threshold=np.inf)
# threshold表示: Total number of array elements to be print(输出数组的元素数目)cap1 = cv2.VideoCapture("static.mkv") # 0 使用默认的电脑摄像头
cap2 = cv2.VideoCapture("move.mkv") # 0 使用默认的电脑摄像头
while (True):# 1.获取一帧帧图像ret1, static = cap1.read()ret2, move = cap2.read()# 转灰度图static = cv2.cvtColor(static, cv2.COLOR_BGR2GRAY)move = cv2.cvtColor(move, cv2.COLOR_BGR2GRAY)# 确定阈值threshold = 130# 阈值分割ret1, static = cv2.threshold(static, threshold, 255, cv2.THRESH_BINARY)ret2, move = cv2.threshold(move, threshold, 255, cv2.THRESH_BINARY)cv2.imshow('static', static)cv2.imshow('move', move)# 按下“q”键停止if cv2.waitKey(1) & 0xFF == ord('q'): # cv2.waitKey(1) 1毫秒读一次break
cap1.release()
cap2.release()
cv2.destroyAllWindows()

在这里插入图片描述

1.2 转HSV查看亮度等变化

在这里插入图片描述
在这里插入图片描述



二 分析总结:

正面车辆振动和静止状态在震颤不明显,除去振动,另一方面,颜色光影变化在车辆振动时,也不明显,同时随着帧数的变化,摄像头所拍视频存在大面积轻微噪声,基本覆盖住了车辆振动造成的光影变化。

从正面进行车辆的震颤检测和光度变化等进行熄火检测不现实,建议拍摄尾部视频,进行排气管震颤或者冒烟检测

今日拍摄了车辆尾部视频,整体尾部振动不明显,排气管振动不明显,排出气体基本透明,无法检测。



三 结果:

检测视频车辆熄火,未成功!



四 研究过程中的收获:可以对车辆进行检测和分割

使用FasterRCNN进行车辆视频检测使用FasterRCNN进行车辆视频检测使FasterRCNN

import cv2
import os
import time
import torch.nn as nn
import torch
import numpy as np
import torchvision.transforms as transforms
import torchvision
from PIL import Image
from matplotlib import pyplot as pltBASE_DIR = os.path.dirname(os.path.abspath(__file__))
device = torch.device("cuda" if torch.cuda.is_available() else "cpu")COCO_INSTANCE_CATEGORY_NAMES = ['__background__', 'person', 'bicycle', 'car', 'motorcycle', 'airplane', 'bus','train', 'truck', 'boat', 'traffic light', 'fire hydrant', 'N/A', 'stop sign','parking meter', 'bench', 'bird', 'cat', 'dog', 'horse', 'sheep', 'cow','elephant', 'bear', 'zebra', 'giraffe', 'N/A', 'backpack', 'umbrella', 'N/A', 'N/A','handbag', 'tie', 'suitcase', 'frisbee', 'skis', 'snowboard', 'sports ball','kite', 'baseball bat', 'baseball glove', 'skateboard', 'surfboard', 'tennis racket','bottle', 'N/A', 'wine glass', 'cup', 'fork', 'knife', 'spoon', 'bowl','banana', 'apple', 'sandwich', 'orange', 'broccoli', 'carrot', 'hot dog', 'pizza','donut', 'cake', 'chair', 'couch', 'potted plant', 'bed', 'N/A', 'dining table','N/A', 'N/A', 'toilet', 'N/A', 'tv', 'laptop', 'mouse', 'remote', 'keyboard', 'cell phone','microwave', 'oven', 'toaster', 'sink', 'refrigerator', 'N/A', 'book','clock', 'vase', 'scissors', 'teddy bear', 'hair drier', 'toothbrush'
]
cap &#61; cv2.VideoCapture("move.mkv") # 0 使用默认的电脑摄像头while (True):# 1.获取一帧帧图像ret, frame &#61; cap.read()# 2.获取模型model &#61; torchvision.models.detection.fasterrcnn_resnet50_fpn(pretrained&#61;True)model.eval()# 3.图像送进模型preprocess &#61; transforms.Compose([transforms.ToTensor(),])# 3.1. preprocessimg_chw &#61; preprocess(frame)# 3.2 to deviceif torch.cuda.is_available():img_chw &#61; img_chw.to(&#39;cuda&#39;)model.to(&#39;cuda&#39;)# 3.3 forwardinput_list &#61; [img_chw]with torch.no_grad():tic &#61; time.time()# print("input img tensor shape:{}".format(input_list[0].shape))output_list &#61; model(input_list)output_dict &#61; output_list[0]# print("pass: {:.3f}s".format(time.time() - tic))# for k, v in output_dict.items():# print("key:{}, value:{}".format(k, v))# 3.4. visualizationout_boxes &#61; output_dict["boxes"].cpu()out_scores &#61; output_dict["scores"].cpu()out_labels &#61; output_dict["labels"].cpu()num_boxes &#61; out_boxes.shape[0]max_vis &#61; 2thres &#61; 0.995for idx in range(0, min(num_boxes, max_vis)):score &#61; out_scores[idx].numpy() # 置信分数bbox &#61; out_boxes[idx].numpy() # 边框坐标class_name &#61; COCO_INSTANCE_CATEGORY_NAMES[out_labels[idx]] # 类别输出if score < thres:continueframe &#61; cv2.rectangle(frame, (bbox[0], bbox[1]), (bbox[2], bbox[3]), (0, 0, 255), 3)print("坐标&#xff1a;",(bbox[0], bbox[1]), (bbox[2], bbox[3]))loacation &#61; str(((bbox[2]-bbox[0]),(bbox[3]-bbox[1])))frame &#61; cv2.putText(frame,loacation, (int(bbox[0]), int(bbox[1])), cv2.FONT_HERSHEY_COMPLEX_SMALL, 0.8, (0, 0, 0))cv2.imshow(&#39;frame&#39;, frame)# 按下“q”键停止if cv2.waitKey(1) & 0xFF &#61;&#61; ord(&#39;q&#39;): # cv2.waitKey(1) 1毫秒读一次break
cap.release()
cv2.destroyAllWindows()

在这里插入图片描述

使用MaskerRCNN进行车辆视频的检测和分割使用MaskerRCNN进行车辆视频的检测和分割使MaskerRCNN

import cv2
import os
import time
import torch.nn as nn
import torch
import numpy as np
import torchvision.transforms as transforms
import torchvision
from PIL import Image
from matplotlib import pyplot as plt
import random
# np.set_printoptions(threshold&#61;np.inf)
# threshold表示: Total number of array elements to be print(输出数组的元素数目)BASE_DIR &#61; os.path.dirname(os.path.abspath(__file__))
device &#61; torch.device("cuda" if torch.cuda.is_available() else "cpu")COCO_INSTANCE_CATEGORY_NAMES &#61; [&#39;__background__&#39;, &#39;person&#39;, &#39;bicycle&#39;, &#39;car&#39;, &#39;motorcycle&#39;, &#39;airplane&#39;, &#39;bus&#39;,&#39;train&#39;, &#39;truck&#39;, &#39;boat&#39;, &#39;traffic light&#39;, &#39;fire hydrant&#39;, &#39;N/A&#39;, &#39;stop sign&#39;,&#39;parking meter&#39;, &#39;bench&#39;, &#39;bird&#39;, &#39;cat&#39;, &#39;dog&#39;, &#39;horse&#39;, &#39;sheep&#39;, &#39;cow&#39;,&#39;elephant&#39;, &#39;bear&#39;, &#39;zebra&#39;, &#39;giraffe&#39;, &#39;N/A&#39;, &#39;backpack&#39;, &#39;umbrella&#39;, &#39;N/A&#39;, &#39;N/A&#39;,&#39;handbag&#39;, &#39;tie&#39;, &#39;suitcase&#39;, &#39;frisbee&#39;, &#39;skis&#39;, &#39;snowboard&#39;, &#39;sports ball&#39;,&#39;kite&#39;, &#39;baseball bat&#39;, &#39;baseball glove&#39;, &#39;skateboard&#39;, &#39;surfboard&#39;, &#39;tennis racket&#39;,&#39;bottle&#39;, &#39;N/A&#39;, &#39;wine glass&#39;, &#39;cup&#39;, &#39;fork&#39;, &#39;knife&#39;, &#39;spoon&#39;, &#39;bowl&#39;,&#39;banana&#39;, &#39;apple&#39;, &#39;sandwich&#39;, &#39;orange&#39;, &#39;broccoli&#39;, &#39;carrot&#39;, &#39;hot dog&#39;, &#39;pizza&#39;,&#39;donut&#39;, &#39;cake&#39;, &#39;chair&#39;, &#39;couch&#39;, &#39;potted plant&#39;, &#39;bed&#39;, &#39;N/A&#39;, &#39;dining table&#39;,&#39;N/A&#39;, &#39;N/A&#39;, &#39;toilet&#39;, &#39;N/A&#39;, &#39;tv&#39;, &#39;laptop&#39;, &#39;mouse&#39;, &#39;remote&#39;, &#39;keyboard&#39;, &#39;cell phone&#39;,&#39;microwave&#39;, &#39;oven&#39;, &#39;toaster&#39;, &#39;sink&#39;, &#39;refrigerator&#39;, &#39;N/A&#39;, &#39;book&#39;,&#39;clock&#39;, &#39;vase&#39;, &#39;scissors&#39;, &#39;teddy bear&#39;, &#39;hair drier&#39;, &#39;toothbrush&#39;
]
cap &#61; cv2.VideoCapture("move.mkv") # 0 使用默认的电脑摄像头def random_colour_masks(image):colours &#61; [[0, 255, 0], [0, 0, 255], [255, 0, 0], [0, 255, 255], [255, 255, 0], [255, 0, 255], [80, 70, 180],[250, 80, 190], [245, 145, 50], [70, 150, 250], [50, 190, 190]]r &#61; np.zeros_like(image).astype(np.uint8)g &#61; np.zeros_like(image).astype(np.uint8)b &#61; np.zeros_like(image).astype(np.uint8)r[image &#61;&#61; 1], g[image &#61;&#61; 1], b[image &#61;&#61; 1] &#61; colours[random.randrange(0, 10)]coloured_mask &#61; np.stack([r, g, b], axis&#61;2)return coloured_maskwhile (True):# 1.获取一帧帧图像ret, frame &#61; cap.read()# 2.获取模型model &#61; torchvision.models.detection.maskrcnn_resnet50_fpn(pretrained&#61;True)model.eval()# 3.图像送进模型preprocess &#61; transforms.Compose([transforms.ToTensor(),])# 3.1. preprocessimg_chw &#61; preprocess(frame)# 3.2 to deviceif torch.cuda.is_available():img_chw &#61; img_chw.to(&#39;cuda&#39;)model.to(&#39;cuda&#39;)# 3.3 forwardinput_list &#61; [img_chw]with torch.no_grad():tic &#61; time.time()# print("input img tensor shape:{}".format(input_list[0].shape))output_list &#61; model(input_list)output_dict &#61; output_list[0]# print("pass: {:.3f}s".format(time.time() - tic))# for k, v in output_dict.items():# print("key:{}, value:{}".format(k, v))# 3.4. visualizationout_boxes &#61; output_dict["boxes"].cpu()out_scores &#61; output_dict["scores"].cpu()out_labels &#61; output_dict["labels"].cpu()out_masks &#61; output_dict["masks"].cpu()#print(out_masks[1].numpy())num_boxes &#61; out_boxes.shape[0]max_vis &#61; 40thres &#61; 0.5masks &#61; (output_dict["masks"] > 0.5).squeeze().detach().cpu().numpy()for i in range(len(masks)):rgb_mask &#61; random_colour_masks(masks[i])frame &#61; cv2.addWeighted(frame, 1, rgb_mask, 0.5, 0)# rgb_mask &#61; random_colour_masks(masks[])# frame &#61; cv2.addWeighted(frame, 1, rgb_mask, 0.5, 0)# 下面的注释解开&#xff0c;就是加上检测# for idx in range(0, min(num_boxes, max_vis)):## score &#61; out_scores[idx].numpy() # 置信分数# bbox &#61; out_boxes[idx].numpy() # 边框坐标# class_name &#61; COCO_INSTANCE_CATEGORY_NAMES[out_labels[idx]] # 类别输出## if score # continue# frame &#61; cv2.rectangle(frame, (bbox[0], bbox[1]), (bbox[2], bbox[3]), (0, 0, 255), 3)# print("坐标&#xff1a;",(bbox[0], bbox[1]), (bbox[2], bbox[3]))# loacation &#61; str(((bbox[2]-bbox[0]),(bbox[3]-bbox[1])))# frame &#61; cv2.putText(frame,loacation, (int(bbox[0]), int(bbox[1])), cv2.FONT_HERSHEY_COMPLEX_SMALL, 0.8, (0, 0, 0))cv2.imshow(&#39;frame&#39;, frame)# 按下“q”键停止if cv2.waitKey(1) & 0xFF &#61;&#61; ord(&#39;q&#39;): # cv2.waitKey(1) 1毫秒读一次break
cap.release()
cv2.destroyAllWindows()

在这里插入图片描述


推荐阅读
  • CentOS 7.6环境下Prometheus与Grafana的集成部署指南
    本文旨在提供一套详细的步骤,指导读者如何在CentOS 7.6操作系统上成功安装和配置Prometheus 2.17.1及Grafana 6.7.2-1,实现高效的数据监控与可视化。 ... [详细]
  • iOS绘制就是采集点,贝塞尔曲线得到形状,绘图上下文去渲染出来AsanaDrawsana图形库,设计的挺好他可以画多种图形, ... [详细]
  • 本题要求在一组数中反复取出两个数相加,并将结果放回数组中,最终求出最小的总加法代价。这是一个经典的哈夫曼编码问题,利用贪心算法可以有效地解决。 ... [详细]
  • 精选多款高效实用软件及工具推荐
    本文介绍并推荐多款高效实用的软件和工具,涵盖系统优化、网络加速、多媒体处理等多个领域,并提供安全可靠的下载途径。 ... [详细]
  • 本文将详细探讨 Java 中提供的不可变集合(如 `Collections.unmodifiableXXX`)和同步集合(如 `Collections.synchronizedXXX`)的实现原理及使用方法,帮助开发者更好地理解和应用这些工具。 ... [详细]
  • 使用WinForms 实现 RabbitMQ RPC 示例
    本文通过两个WinForms应用程序演示了如何使用RabbitMQ实现远程过程调用(RPC)。一个应用作为客户端发送请求,另一个应用作为服务端处理请求并返回响应。 ... [详细]
  • 深入解析Hadoop的核心组件与工作原理
    本文详细介绍了Hadoop的三大核心组件:分布式文件系统HDFS、资源管理器YARN和分布式计算框架MapReduce。通过分析这些组件的工作机制,帮助读者更好地理解Hadoop的架构及其在大数据处理中的应用。 ... [详细]
  • ML学习笔记20210824分类算法模型选择与调优
    3.模型选择和调优3.1交叉验证定义目的为了让模型得精度更加可信3.2超参数搜索GridSearch对K值进行选择。k[1,2,3,4,5,6]循环遍历搜索。API参数1& ... [详细]
  • 地球坐标、火星坐标及百度坐标间的转换算法 C# 实现
    本文介绍了WGS84坐标系统及其精度改进历程,探讨了火星坐标系统的安全性和应用背景,并详细解析了火星坐标与百度坐标之间的转换算法,提供了C#语言的实现代码。 ... [详细]
  • 开发笔记:精通 CSS 第 10 章 变换过渡与动画 学习笔记
    开发笔记:精通 CSS 第 10 章 变换过渡与动画 学习笔记 ... [详细]
  • 优化SQL Server批量数据插入存储过程的实现
    本文介绍了一种改进的SQL Server存储过程,用于生成批量插入语句。该方法不仅提高了性能,还支持单行和多行模式,适用于SQL Server 2005及以上版本。 ... [详细]
  • 本文详细探讨了Java中的ClassLoader类加载器的工作原理,包括其如何将class文件加载至JVM中,以及JVM启动时的动态加载策略。文章还介绍了JVM内置的三种类加载器及其工作方式,并解释了类加载器的继承关系和双亲委托机制。 ... [详细]
  • 本文详细介绍了虚拟专用网(Virtual Private Network, VPN)的概念及其通过公共网络(如互联网)构建临时且安全连接的技术特点。文章探讨了不同类型的隧道协议,包括第二层和第三层隧道协议,并提供了针对IPSec、GRE以及MPLS VPN的具体配置指导。 ... [详细]
  • HTML5实现逼真树叶飘落动画详解
    本文详细介绍了如何利用HTML5技术创建一个逼真的树叶飘落动画,包括HTML、CSS和JavaScript的代码实现及优化技巧。 ... [详细]
  • 本文介绍如何利用纯CSS技术,通过简单的DOM结构和CSS样式设计,创建一个具有动态光影效果的太阳天气图标。 ... [详细]
author-avatar
Mister-Sky_724
这个家伙很懒,什么也没留下!
PHP1.CN | 中国最专业的PHP中文社区 | DevBox开发工具箱 | json解析格式化 |PHP资讯 | PHP教程 | 数据库技术 | 服务器技术 | 前端开发技术 | PHP框架 | 开发工具 | 在线工具
Copyright © 1998 - 2020 PHP1.CN. All Rights Reserved | 京公网安备 11010802041100号 | 京ICP备19059560号-4 | PHP1.CN 第一PHP社区 版权所有