基于YOLO算法实现网球运动实时分析(附源码)

e94c72d411790c3e7b9f80c07cfd0bad.gif

大家好,我是小F~

今天给大家介绍一个计算机视觉实战的项目。

该项目使用YOLO算法检测球员和网球,并利用cnn提取球场关键点。

进而分析视频中的网球运动员,测量他们的速度、击球速度和击球次数。

ac215435d724f6066b7df6db9a514c1f.gif

使用win10电脑,Python 3.9.7,相关依赖版本如下。

numpy==1.22.4
opencv_python==4.8.0.74
pandas==2.2.2
torch==2.0.1
torchvision==0.15.2
ultralytics==8.0.178

可以使用conda创建Python环境,然后执行主程序。

电脑无需GPU,普通CPU电脑即可~

# 创建Python环境
conda create --name tennis_analysis  python=3.9.7
# 激活环境
conda activate tennis_analysis
# 安装依赖
pip install -r requirements.txt -i https://mirror.baidu.com/pypi/simple# 执行程序
python main.py

主程序代码如下。

from utils import (read_video,save_video,measure_distance,draw_player_stats,convert_pixel_distance_to_meters)
import constants
from trackers import PlayerTracker, BallTracker
from court_line_detector import CourtLineDetector
from mini_court import MiniCourt
import cv2
import pandas as pd
from copy import deepcopydef main():# Read Videoinput_video_path = "input_videos/input_video.mp4"video_frames = read_video(input_video_path)# Detect Players and Ballplayer_tracker = PlayerTracker(model_path='yolov8x')ball_tracker = BallTracker(model_path='models/yolo5_last.pt')player_detections = player_tracker.detect_frames(video_frames,read_from_stub=True,stub_path="tracker_stubs/player_detections.pkl")ball_detections = ball_tracker.detect_frames(video_frames,read_from_stub=True,stub_path="tracker_stubs/ball_detections.pkl")ball_detections = ball_tracker.interpolate_ball_positions(ball_detections)# Court Line Detector modelcourt_model_path = "models/keypoints_model.pth"court_line_detector = CourtLineDetector(court_model_path)court_keypoints = court_line_detector.predict(video_frames[0])# choose playersplayer_detections = player_tracker.choose_and_filter_players(court_keypoints, player_detections)# MiniCourtmini_court = MiniCourt(video_frames[0])# Detect ball shotsball_shot_frames = ball_tracker.get_ball_shot_frames(ball_detections)# Convert positions to mini court positionsplayer_mini_court_detections, ball_mini_court_detections = mini_court.convert_bounding_boxes_to_mini_court_coordinates(player_detections,ball_detections,court_keypoints)player_stats_data = [{'frame_num': 0,'player_1_number_of_shots': 0,'player_1_total_shot_speed': 0,'player_1_last_shot_speed': 0,'player_1_total_player_speed': 0,'player_1_last_player_speed': 0,'player_2_number_of_shots': 0,'player_2_total_shot_speed': 0,'player_2_last_shot_speed': 0,'player_2_total_player_speed': 0,'player_2_last_player_speed': 0,}]for ball_shot_ind in range(len(ball_shot_frames) - 1):start_frame = ball_shot_frames[ball_shot_ind]end_frame = ball_shot_frames[ball_shot_ind + 1]ball_shot_time_in_seconds = (end_frame - start_frame) / 24  # 24fps# Get distance covered by the balldistance_covered_by_ball_pixels = measure_distance(ball_mini_court_detections[start_frame][1],ball_mini_court_detections[end_frame][1])distance_covered_by_ball_meters = convert_pixel_distance_to_meters(distance_covered_by_ball_pixels,constants.DOUBLE_LINE_WIDTH,mini_court.get_width_of_mini_court())# Speed of the ball shot in km/hspeed_of_ball_shot = distance_covered_by_ball_meters / ball_shot_time_in_seconds * 3.6# player who the ballplayer_positions = player_mini_court_detections[start_frame]player_shot_ball = min(player_positions.keys(),key=lambda player_id: measure_distance(player_positions[player_id],ball_mini_court_detections[start_frame][1]))# opponent player speedopponent_player_id = 1 if player_shot_ball == 2 else 2distance_covered_by_opponent_pixels = measure_distance(player_mini_court_detections[start_frame][opponent_player_id],player_mini_court_detections[end_frame][opponent_player_id])distance_covered_by_opponent_meters = convert_pixel_distance_to_meters(distance_covered_by_opponent_pixels,constants.DOUBLE_LINE_WIDTH,mini_court.get_width_of_mini_court())speed_of_opponent = distance_covered_by_opponent_meters / ball_shot_time_in_seconds * 3.6current_player_stats = deepcopy(player_stats_data[-1])current_player_stats['frame_num'] = start_framecurrent_player_stats[f'player_{player_shot_ball}_number_of_shots'] += 1current_player_stats[f'player_{player_shot_ball}_total_shot_speed'] += speed_of_ball_shotcurrent_player_stats[f'player_{player_shot_ball}_last_shot_speed'] = speed_of_ball_shotcurrent_player_stats[f'player_{opponent_player_id}_total_player_speed'] += speed_of_opponentcurrent_player_stats[f'player_{opponent_player_id}_last_player_speed'] = speed_of_opponentplayer_stats_data.append(current_player_stats)player_stats_data_df = pd.DataFrame(player_stats_data)frames_df = pd.DataFrame({'frame_num': list(range(len(video_frames)))})player_stats_data_df = pd.merge(frames_df, player_stats_data_df, on='frame_num', how='left')player_stats_data_df = player_stats_data_df.ffill()player_stats_data_df['player_1_average_shot_speed'] = player_stats_data_df['player_1_total_shot_speed'] / \player_stats_data_df['player_1_number_of_shots']player_stats_data_df['player_2_average_shot_speed'] = player_stats_data_df['player_2_total_shot_speed'] / \player_stats_data_df['player_2_number_of_shots']player_stats_data_df['player_1_average_player_speed'] = player_stats_data_df['player_1_total_player_speed'] / \player_stats_data_df['player_2_number_of_shots']player_stats_data_df['player_2_average_player_speed'] = player_stats_data_df['player_2_total_player_speed'] / \player_stats_data_df['player_1_number_of_shots']# Draw output## Draw Player Bounding Boxesoutput_video_frames = player_tracker.draw_bboxes(video_frames, player_detections)output_video_frames = ball_tracker.draw_bboxes(output_video_frames, ball_detections)## Draw court Keypointsoutput_video_frames = court_line_detector.draw_keypoints_on_video(output_video_frames, court_keypoints)# Draw Mini Courtoutput_video_frames = mini_court.draw_mini_court(output_video_frames)output_video_frames = mini_court.draw_points_on_mini_court(output_video_frames, player_mini_court_detections)output_video_frames = mini_court.draw_points_on_mini_court(output_video_frames, ball_mini_court_detections,color=(0, 255, 255))# Draw Player Statsoutput_video_frames = draw_player_stats(output_video_frames, player_stats_data_df)## Draw frame number on top left cornerfor i, frame in enumerate(output_video_frames):cv2.putText(frame, f"Frame: {i}", (10, 30), cv2.FONT_HERSHEY_SIMPLEX, 1, (0, 255, 0), 2)save_video(output_video_frames, "output_videos/output_video.avi")if __name__ == "__main__":main()

最终可以在output_videos文件夹下看到结果。

9e796e09a6fde183cca899fd82e1ff54.png

结果如下所示。

145bb8c4bda7bcf194eda68a0b796ff1.png

这里还提供了网球模型训练的代码,大家可以使用Colab或Kaggle的免费GPU进行训练。

感兴趣的小伙伴,可以自行去学习下~

02b7ec9a500caba8bc58819b6c392885.png

项目源码,公众号后台回复:「网球分析」,即可获得。

万水千山总是情,点个 👍 行不行

推荐阅读

320554683c0cfed55272b40b6c2a5496.jpeg

151a0abceb004e46d346cde0fff18ad1.jpeg

2901b93a9c4c05c93aadd47dba41aeb3.jpeg

···  END  ···

7fdc980d1452027cbbf5e40cf3578f53.jpeg

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/16523.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

【源码】java + uniapp交易所源代码/带搭建教程java交易所/完整源代码

java uniapp交易所源代码/带搭建教程java交易所/完整源代码 带简洁教程,未测 java uniapp交易所源代码/带搭建教程java交易所/完整源代码 - 吾爱资源网

【古董技术】ms-dos应用程序的结构

序 制定一个MS-DOS应用程序计划需要认真分析程序的大小。这种分析可以帮助程序员确定MS-DOS支持的两种程序风格中哪一种最适合该应用程序。.EXE程序结构为大型程序提供了好处,因为所有.EXE文件之前都有额外的512字节(或更多)的文件头。另一方…

C++第十七弹---string使用(下)

✨个人主页: 熬夜学编程的小林 💗系列专栏: 【C语言详解】 【数据结构详解】【C详解】 目录 1、标准库中的string类 1.1、string类的常用接口说明 1.1.1、string类对象的修改操作 1.1.2、string类对象非成员函数重载 总结 1、标准库中的…

牛客热题:有效括号

📟作者主页:慢热的陕西人 🌴专栏链接:力扣刷题日记 📣欢迎各位大佬👍点赞🔥关注🚓收藏,🍉留言 文章目录 牛客热题:有效括号题目链接方法一&#x…

Mycat+Mysql搭建数据集群实现数据分片存储

前言 MyCAT介绍 * 一个彻底开源的,面向企业应用开发的“大数据库集群”; * 支持事务、ACID、可以替代MySQL的加强版数据库; * 一个可以视为“MySQL”集群的企业级数据库,用来替代昂贵的Oracle集群; * 一个融合内存缓存技术、Nosql技术、HDFS大数据的新型SQL; * 一个新颖…

2024.5.1学习记录

1、代码随想录:贪心刷题 2、react 高级使用( hoc render、props、函数组件、serState 传送门等) 3、游山玩水

《拯救大学生课设不挂科第四期之蓝桥杯是什么?我是否要参加蓝桥杯?选择何种语言?如何科学备赛?方法思维教程》【官方笔记】

背景: 有些同学在大一或者大二可能会被老师建议参加蓝桥杯,本视频和文章主要是以一个过来人的身份来给与大家一些思路。 比如蓝桥杯是什么?我是否要参加蓝桥杯?参加蓝桥杯该选择何种语言?如何科学备赛?等…

JavaEE之线程(7)_单例模式(设计模式概念、单例模式优点、懒汉、饿汉模式)

一、什么是设计模式? 单例模式是设计模式中较为常见的一种。那么,什么是单例模式? 设计模式(Design Pattern)都是一些相对优秀的解决方案,很多问题都是典型的、有代表性的问题,学习设计模式&am…

为什么本科毕业后我坚定地选择了就业而不是考研?

大家好,我是小布丁。今天来聊聊我为什么本科毕业后选择了就业而不是考研。 在整个大学期间,我被亲戚拷问最多的问题就是:准备考研吗?相信很多大学生都遇到过这种情况吧。 如果你说准备还好,亲戚大概率就不会问下去&a…

元组推导式

自学python如何成为大佬(目录):https://blog.csdn.net/weixin_67859959/article/details/139049996?spm1001.2014.3001.5501 使用元组推导式可以快速生成一个元组,它的表现形式和列表推导式类似,只是将列表推导式中的“[]”修改为“()”。例如&#xf…

python深入解析字符串操作的八大神技

新书上架~👇全国包邮奥~ python实用小工具开发教程http://pythontoolsteach.com/3 欢迎关注我👆,收藏下次不迷路┗|`O′|┛ 嗷~~ 目录 一、字符串的长度与切片 示例代码 二、去除多余的空格 示例代码 三、字符串的开头与包含…

元组的创建和删除

目录 使用赋值运算符直接创建元组 创建空元组 创建数值元组 删除元组 自学python如何成为大佬(目录):https://blog.csdn.net/weixin_67859959/article/details/139049996?spm1001.2014.3001.5501 元组(tuple)是Python中另一个重要的序列结构&#…

关于堆排序

今天我们不刷力扣了,我们来复习(手撕)一下数据结构中的八大排序算法之一,堆排序 基本概念: 堆是一种特殊的树形数据结构,即完全二叉树。 堆分为大顶堆和小顶堆: 大顶堆:每个节点的值…

OrangePi KunPengPro | 开发板开箱测评之学习与使用

OrangePi KunPengPro | 开发板开箱测评之学习与使用 时间:2024年5月23日20:51:12 文章目录 OrangePi KunPengPro | 开发板开箱测评之学习与使用概述1.参考2.资料、工具3.使用3-1.通过串口登录系统3-2.通过SSH登录系统3-3.安装交叉编译工具链3-4.复制文件到设备3-5.第…

【组合数学】常考试题答案

一、单项选择题(每小题3分,共15分) 1. 用3个“1”和4个“0”能组成( )个不同的二进制数字。 A. 35 B. 36, C. 37, D. 38 2. 整除300的正整数的个数为(  )。 A. 14…

Anaconda+CUDA+CUDNN+Pycharm+Pytorch安装教程(第一节 Anconda安装)

1.选择和对应的anconda版本 官网地址:Index of / (anaconda.com) 下载地址:Index of /anaconda/archive/ | 清华大学开源软件镜像站 | Tsinghua Open Source Mirror 2.安装流程 (1)下载安装包 (2)点击next (3)点击I agree &a…

解决Flutter位于悬浮窗口时,应用Logo不更新问题

问题描述 我已经更换了应用Logo,但是发现应用处于悬浮窗口时,logo还是更改之前的?下面的图片只是示意。 解决方案 终端命令 rm -rf ~/Library/Developer/Xcode/DerivedData2.xcode视图内解决 先在顶部找到 Xcode --> Setting --> Lo…

操作系统入门系列-MIT6.828(操作系统工程)学习笔记(二)----课程实验环境搭建(wsl2+ubuntu+quem+xv6)

MIT6.S081(操作系统)学习笔记 操作系统入门系列-MIT6.828(操作系统)学习笔记(一)---- 操作系统介绍与接口示例 操作系统入门系列-MIT6.828(操作系统工程)学习笔记(二&am…

福昕PDF编辑器自定义快捷方式

你是否为用不惯福昕PDF编辑器自带的快捷键而发愁?今天,我和大家分享一下如何设置自己想要的快捷键方式,希望能对大家有帮助。 步骤一:打开福昕PDF编辑,并找到更多命令 步骤二:切换到键盘一栏,并…

分布式专题

一:分布式事务 1、理论基础 分布式事务主要区分本地事务 什么是本地事务(Local Transaction)?本地事务也称为数据库事务或传统事务(相对于分布式事务而言)。尤其对于数据库而言,为了数据安全…