主頁 >  其他 > 一小時學會用Opencv做貪吃蛇游戲(Python版)

一小時學會用Opencv做貪吃蛇游戲(Python版)

2022-03-07 07:43:24 其他

使用Mediapipe

在這里插入圖片描述
參考資料21 hand landmarks

水平鏡像處理

import cvzone
import cv2
import numpy as np
from cvzone.HandTrackingModule import HandDetector

cap = cv2.VideoCapture(0)   # 0代表自己電腦的攝像頭
cap.set(3, 1280)        # 寬
cap.set(4, 720)         # 高

detector = HandDetector(detectionCon=0.8, maxHands=2)

# 處理每一幀影像
while True:
    success, img = cap.read()
    # 翻轉影像,使自身和攝像頭中的自己呈鏡像關系
    img = cv2.flip(img, 1)      # 將手水平翻轉
    hands, img = detector.findHands(img)
    cv2.imshow("Image", img)
    cv2.waitKey(1)

在這里插入圖片描述

修改代碼

import cvzone
import cv2
import numpy as np
from cvzone.HandTrackingModule import HandDetector

cap = cv2.VideoCapture(0)   # 0代表自己電腦的攝像頭
cap.set(3, 1280)        # 寬
cap.set(4, 720)         # 高

detector = HandDetector(detectionCon=0.8, maxHands=1)

# 處理每一幀影像
while True:
    success, img = cap.read()
    # 翻轉影像,使自身和攝像頭中的自己呈鏡像關系
    img = cv2.flip(img, 1)      # 將手水平翻轉
    hands, img = detector.findHands(img, flipType=False)    # 左手是左手,右手是右手,映射正確
    cv2.imshow("Image", img)
    cv2.waitKey(1)

問題修復完畢
在這里插入圖片描述

觀察手的資訊

import cvzone
import cv2
import numpy as np
from cvzone.HandTrackingModule import HandDetector

cap = cv2.VideoCapture(0)   # 0代表自己電腦的攝像頭
cap.set(3, 1280)        # 寬
cap.set(4, 720)         # 高

detector = HandDetector(detectionCon=0.8, maxHands=1)

# 處理每一幀影像
while True:
    success, img = cap.read()
    # 翻轉影像,使自身和攝像頭中的自己呈鏡像關系
    img = cv2.flip(img, 1)      # 將手水平翻轉
    hands, img = detector.findHands(img, flipType=False)    # 左手是左手,右手是右手,映射正確

    print(hands)

    cv2.imshow("Image", img)
    cv2.waitKey(1)

輸出結果

[{‘lmList’: [[1088, 633, 0], [1012, 655, -24], [940, 629, -32], [894, 596, -35], [875, 562, -36], [949, 504, -17], [891, 441, -16], [862, 419, -16], [838, 403, -16], [995, 480, -3], [943, 418, 8], [924, 426, 17], [920, 440, 22], [1044, 480, 8], [998, 455, 17], [987, 489, 21], [993, 513, 23], [1085, 492, 19], [1048, 477, 27], [1036, 505, 35], [1041, 528, 40]], ‘bbox’: (838, 403, 250, 252), ‘center’: (963, 529), ‘type’: ‘Left’}]

做個小蛇

import math

import cvzone
import cv2
import numpy as np
from cvzone.HandTrackingModule import HandDetector

cap = cv2.VideoCapture(0)   # 0代表自己電腦的攝像頭
cap.set(3, 1280)        # 寬
cap.set(4, 720)         # 高

detector = HandDetector(detectionCon=0.8, maxHands=1)


class SnakeGameClass:
    def __init__(self):             # 構造方法
        self.points = []            # 蛇身上所有的點
        self.lengths = []           # 每個點之間的長度
        self.currentLength = 0      # 蛇的總長
        self.allowedLength = 150    # 蛇允許的總長度
        self.previousHead = 0, 0    # 第二個頭結點

    def update(self, imgMain, currentHead):     # 實體方法

        px, py = self.previousHead
        cx, cy = currentHead

        self.points.append([cx, cy])             # 添加蛇的點串列節點
        distance = math.hypot(cx - px, cy - py)  # 兩點之間的距離
        self.lengths.append(distance)            # 添加蛇的距離串列內容
        self.currentLength += distance
        self.previousHead = cx, cy

        # Draw Snake
        for i, point in enumerate(self.points):
            if i != 0:
                cv2.line(imgMain, self.points[i - 1], self.points[i], (0, 0, 255), 20)
        # 對串列最后一個點也就是蛇頭畫為紫色點
        cv2.circle(imgMain, self.points[-1], 20, (200, 0, 200), cv2.FILLED)
        return imgMain

game = SnakeGameClass()

# 處理每一幀影像
while True:     # 不斷迭代更新
    success, img = cap.read()
    # 翻轉影像,使自身和攝像頭中的自己呈鏡像關系
    img = cv2.flip(img, 1)      # 將手水平翻轉
    hands, img = detector.findHands(img, flipType=False)    # 左手是左手,右手是右手,映射正確

    if hands:
        lmList = hands[0]['lmList']     # hands是由N個字典組成的串列
        pointIndex = lmList[8][0:2]     # 只要食指指尖的x和y坐標
        img = game.update(img, pointIndex)

    cv2.imshow("Image", img)
    cv2.waitKey(1)

添加甜甜圈

import math
import random

import cvzone
import cv2
import numpy as np
from cvzone.HandTrackingModule import HandDetector

cap = cv2.VideoCapture(0)   # 0代表自己電腦的攝像頭
cap.set(3, 1280)        # 寬
cap.set(4, 720)         # 高

detector = HandDetector(detectionCon=0.8, maxHands=1)


class SnakeGameClass:
    def __init__(self, pathFood):             # 構造方法
        self.points = []            # 蛇身上所有的點
        self.lengths = []           # 每個點之間的長度
        self.currentLength = 0      # 蛇的總長
        self.allowedLength = 150    # 蛇允許的總長度
        self.previousHead = 0, 0    # 第二個頭結點

        self.imgFood = cv2.imread(pathFood, cv2.IMREAD_UNCHANGED)
        self.hFood, self.wFood, _ = self.imgFood.shape
        self.foodPoint = 0, 0
        self.randomFoodLocation()

    def randomFoodLocation(self):
        self.foodPoint = random.randint(100, 1000), random.randint(100, 600)


    def update(self, imgMain, currentHead):     # 實體方法

        px, py = self.previousHead
        cx, cy = currentHead

        self.points.append([cx, cy])             # 添加蛇的點串列節點
        distance = math.hypot(cx - px, cy - py)  # 兩點之間的距離
        self.lengths.append(distance)            # 添加蛇的距離串列內容
        self.currentLength += distance
        self.previousHead = cx, cy

        # Length Reduction
        if self.currentLength > self.allowedLength:
            for i, length in enumerate(self.lengths):
                self.currentLength -= length
                self.lengths.pop(i)
                self.points.pop(i)
                if self.currentLength < self.allowedLength:
                    break


        # Draw Snake
        if self.points:
            for i, point in enumerate(self.points):
                 if i != 0:
                    cv2.line(imgMain, self.points[i - 1], self.points[i], (0, 0, 255), 20)
            # 對串列最后一個點也就是蛇頭畫為紫色點
            cv2.circle(imgMain, self.points[-1], 20, (200, 0, 200), cv2.FILLED)

        # Draw Food
        rx, ry = self.foodPoint
        imgMain = cvzone.overlayPNG(imgMain, self.imgFood,
                                    (rx - self.wFood // 2, ry - self.hFood // 2))


        return imgMain

game = SnakeGameClass("donut.png")

# 處理每一幀影像
while True:     # 不斷迭代更新
    success, img = cap.read()
    # 翻轉影像,使自身和攝像頭中的自己呈鏡像關系
    img = cv2.flip(img, 1)      # 將手水平翻轉
    hands, img = detector.findHands(img, flipType=False)    # 左手是左手,右手是右手,映射正確

    if hands:
        lmList = hands[0]['lmList']     # hands是由N個字典組成的串列
        pointIndex = lmList[8][0:2]     # 只要食指指尖的x和y坐標
        img = game.update(img, pointIndex)

    cv2.imshow("Image", img)
    cv2.waitKey(1)

donut.png
在這里插入圖片描述

部分代碼解釋說明

imgMain = cvzone.overlayPNG(imgMain, self.imgFood,
                                    (rx - self.wFood // 2, ry - self.hFood // 2))

為什么不是

imgMain = cvzone.overlayPNG(imgMain, self.imgFood, (rx , ry))

那是因為,隨機生成一個點后,有坐標(x,y)
在這里插入圖片描述

增加分數機制

import math
import random

import cvzone
import cv2
import numpy as np
from cvzone.HandTrackingModule import HandDetector

cap = cv2.VideoCapture(0)   # 0代表自己電腦的攝像頭
cap.set(3, 1280)        # 寬
cap.set(4, 720)         # 高

detector = HandDetector(detectionCon=0.8, maxHands=1)


class SnakeGameClass:
    def __init__(self, pathFood):             # 構造方法
        self.points = []            # 蛇身上所有的點
        self.lengths = []           # 每個點之間的長度
        self.currentLength = 0      # 蛇的總長
        self.allowedLength = 150    # 蛇允許的總長度
        self.previousHead = 0, 0    # 第二個頭結點

        self.imgFood = cv2.imread(pathFood, cv2.IMREAD_UNCHANGED)
        self.hFood, self.wFood, _ = self.imgFood.shape
        self.foodPoint = 0, 0
        self.randomFoodLocation()

        self.score = 0

    def randomFoodLocation(self):
        self.foodPoint = random.randint(100, 1000), random.randint(100, 600)


    def update(self, imgMain, currentHead):     # 實體方法

        px, py = self.previousHead
        cx, cy = currentHead

        self.points.append([cx, cy])             # 添加蛇的點串列節點
        distance = math.hypot(cx - px, cy - py)  # 兩點之間的距離
        self.lengths.append(distance)            # 添加蛇的距離串列內容
        self.currentLength += distance
        self.previousHead = cx, cy

        # Length Reduction
        if self.currentLength > self.allowedLength:
            for i, length in enumerate(self.lengths):
                self.currentLength -= length
                self.lengths.pop(i)
                self.points.pop(i)
                if self.currentLength < self.allowedLength:
                    break

        # Check if snake ate the food
        rx, ry = self.foodPoint
        if rx - self.wFood // 2 < cx < rx + self.wFood // 2 and \
                ry - self.hFood // 2 < cy < ry + self.hFood // 2:
            self.randomFoodLocation()
            self.allowedLength += 50
            self.score += 1
            print(self.score)


        # Draw Snake
        if self.points:
            for i, point in enumerate(self.points):
                 if i != 0:
                    cv2.line(imgMain, self.points[i - 1], self.points[i], (0, 0, 255), 20)
            # 對串列最后一個點也就是蛇頭畫為紫色點
            cv2.circle(imgMain, self.points[-1], 20, (200, 0, 200), cv2.FILLED)

        # Draw Food

        imgMain = cvzone.overlayPNG(imgMain, self.imgFood,
                                    (rx - self.wFood // 2, ry - self.hFood // 2))


        return imgMain

game = SnakeGameClass("donut.png")

# 處理每一幀影像
while True:     # 不斷迭代更新
    success, img = cap.read()
    # 翻轉影像,使自身和攝像頭中的自己呈鏡像關系
    img = cv2.flip(img, 1)      # 將手水平翻轉
    hands, img = detector.findHands(img, flipType=False)    # 左手是左手,右手是右手,映射正確

    if hands:
        lmList = hands[0]['lmList']     # hands是由N個字典組成的串列
        pointIndex = lmList[8][0:2]     # 只要食指指尖的x和y坐標
        img = game.update(img, pointIndex)

    cv2.imshow("Image", img)
    cv2.waitKey(1)

完整代碼(后期需要不斷優化完善,持續更新中)

import math
import random

import cvzone
import cv2
import numpy as np
from cvzone.HandTrackingModule import HandDetector

cap = cv2.VideoCapture(0)   # 0代表自己電腦的攝像頭
cap.set(3, 1280)        # 寬
cap.set(4, 720)         # 高

detector = HandDetector(detectionCon=0.8, maxHands=1)


class SnakeGameClass:
    def __init__(self, pathFood):             # 構造方法
        self.points = []            # 蛇身上所有的點
        self.lengths = []           # 每個點之間的長度
        self.currentLength = 0      # 蛇的總長
        self.allowedLength = 150    # 蛇允許的總長度
        self.previousHead = 0, 0    # 第二個頭結點

        self.imgFood = cv2.imread(pathFood, cv2.IMREAD_UNCHANGED)
        self.hFood, self.wFood, _ = self.imgFood.shape
        self.foodPoint = 0, 0
        self.randomFoodLocation()

        self.score = 0
        self.gameOver = False

    def randomFoodLocation(self):
        self.foodPoint = random.randint(100, 1000), random.randint(100, 600)


    def update(self, imgMain, currentHead):     # 實體方法

        if self.gameOver:
            cvzone.putTextRect(imgMain, "Game Over", [300, 400],
                               scale=7, thickness=5, offset=20)
            cvzone.putTextRect(imgMain, f'Your Score:{self.score}', [300, 550],
                               scale=7, thickness=5, offset=20)
        else:
            px, py = self.previousHead
            cx, cy = currentHead

            self.points.append([cx, cy])             # 添加蛇的點串列節點
            distance = math.hypot(cx - px, cy - py)  # 兩點之間的距離
            self.lengths.append(distance)            # 添加蛇的距離串列內容
            self.currentLength += distance
            self.previousHead = cx, cy

            # Length Reduction
            if self.currentLength > self.allowedLength:
                for i, length in enumerate(self.lengths):
                    self.currentLength -= length
                    self.lengths.pop(i)
                    self.points.pop(i)
                    if self.currentLength < self.allowedLength:
                        break

            # Check if snake ate the food
            rx, ry = self.foodPoint
            if rx - self.wFood // 2 < cx < rx + self.wFood // 2 and \
                    ry - self.hFood // 2 < cy < ry + self.hFood // 2:
                self.randomFoodLocation()
                self.allowedLength += 50
                self.score += 1
                print(self.score)


            # Draw Snake
            if self.points:
                for i, point in enumerate(self.points):
                     if i != 0:
                        cv2.line(imgMain, self.points[i - 1], self.points[i], (0, 0, 255), 20)
                # 對串列最后一個點也就是蛇頭畫為紫色點
                cv2.circle(imgMain, self.points[-1], 20, (200, 0, 200), cv2.FILLED)

            # Draw Food

            imgMain = cvzone.overlayPNG(imgMain, self.imgFood,
                                        (rx - self.wFood // 2, ry - self.hFood // 2))

            cvzone.putTextRect(imgMain, f'Your Score:{self.score}', [50, 80],
                               scale=3, thickness=5, offset=10)

            # Check for Collision
            pts = np.array(self.points[:-2], np.int32)
            pts = pts.reshape((-1, 1, 2))  # 重塑為一個行數未知但只有一列且每個元素有2個子元素的矩陣
            cv2.polylines(imgMain, [pts], False, (0, 200, 0), 3)
            # 第三個引數是False,我們得到的是不閉合的線
            minDist = cv2.pointPolygonTest(pts, (cx, cy), True)
            # 引數True表示輸出該像素點到輪廓最近距離

            if -1 <= minDist <= 1:
                print("Hit")
                self.gameOver = True
                self.points = []  # 蛇身上所有的點
                self.lengths = []  # 每個點之間的長度
                self.currentLength = 0  # 蛇的總長
                self.allowedLength = 150  # 蛇允許的總長度
                self.previousHead = 0, 0  # 第二個頭結點
                self.randomFoodLocation()


        return imgMain

game = SnakeGameClass("donut.png")

# 處理每一幀影像
while True:     # 不斷迭代更新
    success, img = cap.read()
    # 翻轉影像,使自身和攝像頭中的自己呈鏡像關系
    img = cv2.flip(img, 1)      # 將手水平翻轉
    hands, img = detector.findHands(img, flipType=False)    # 左手是左手,右手是右手,映射正確

    if hands:
        lmList = hands[0]['lmList']     # hands是由N個字典組成的串列
        pointIndex = lmList[8][0:2]     # 只要食指指尖的x和y坐標
        img = game.update(img, pointIndex)

    cv2.imshow("Image", img)
    key = cv2.waitKey(1)
    if key == ord('r'):
        game.gameOver = False

之后我會持續更新,如果喜歡我的文章,請記得一鍵三連哦,點贊關注收藏,你的每一個贊每一份關注每一次收藏都將是我前進路上的無限動力 !!!↖(▔▽▔)↗感謝支持!

轉載請註明出處,本文鏈接:https://www.uj5u.com/qita/438658.html

標籤:AI

上一篇:影像恢復 Restormer: 徹底理解論文和源代碼 (注釋詳盡)

下一篇:Day550.kafka原始碼主內容決議 -kafka

標籤雲
其他(157675) Python(38076) JavaScript(25376) Java(17977) C(15215) 區塊鏈(8255) C#(7972) AI(7469) 爪哇(7425) MySQL(7132) html(6777) 基礎類(6313) sql(6102) 熊猫(6058) PHP(5869) 数组(5741) R(5409) Linux(5327) 反应(5209) 腳本語言(PerlPython)(5129) 非技術區(4971) Android(4554) 数据框(4311) css(4259) 节点.js(4032) C語言(3288) json(3245) 列表(3129) 扑(3119) C++語言(3117) 安卓(2998) 打字稿(2995) VBA(2789) Java相關(2746) 疑難問題(2699) 细绳(2522) 單片機工控(2479) iOS(2429) ASP.NET(2402) MongoDB(2323) 麻木的(2285) 正则表达式(2254) 字典(2211) 循环(2198) 迅速(2185) 擅长(2169) 镖(2155) 功能(1967) .NET技术(1958) Web開發(1951) python-3.x(1918) HtmlCss(1915) 弹簧靴(1913) C++(1909) xml(1889) PostgreSQL(1872) .NETCore(1853) 谷歌表格(1846) Unity3D(1843) for循环(1842)

熱門瀏覽
  • 網閘典型架構簡述

    網閘架構一般分為兩種:三主機的三系統架構網閘和雙主機的2+1架構網閘。 三主機架構分別為內端機、外端機和仲裁機。三機無論從軟體和硬體上均各自獨立。首先從硬體上來看,三機都用各自獨立的主板、記憶體及存盤設備。從軟體上來看,三機有各自獨立的作業系統。這樣能達到完全的三機獨立。對于“2+1”系統,“2”分為 ......

    uj5u.com 2020-09-10 02:00:44 more
  • 如何從xshell上傳檔案到centos linux虛擬機里

    如何從xshell上傳檔案到centos linux虛擬機里及:虛擬機CentOs下執行 yum -y install lrzsz命令,出現錯誤:鏡像無法找到軟體包 前言 一、安裝lrzsz步驟 二、上傳檔案 三、遇到的問題及解決方案 總結 前言 提示:其實很簡單,往虛擬機上安裝一個上傳檔案的工具 ......

    uj5u.com 2020-09-10 02:00:47 more
  • 一、SQLMAP入門

    一、SQLMAP入門 1、判斷是否存在注入 sqlmap.py -u 網址/id=1 id=1不可缺少。當注入點后面的引數大于兩個時。需要加雙引號, sqlmap.py -u "網址/id=1&uid=1" 2、判斷文本中的請求是否存在注入 從文本中加載http請求,SQLMAP可以從一個文本檔案中 ......

    uj5u.com 2020-09-10 02:00:50 more
  • Metasploit 簡單使用教程

    metasploit 簡單使用教程 浩先生, 2020-08-28 16:18:25 分類專欄: kail 網路安全 linux 文章標簽: linux資訊安全 編輯 著作權 metasploit 使用教程 前言 一、Metasploit是什么? 二、準備作業 三、具體步驟 前言 Msfconsole ......

    uj5u.com 2020-09-10 02:00:53 more
  • 游戲逆向之驅動層與用戶層通訊

    驅動層代碼: #pragma once #include <ntifs.h> #define add_code CTL_CODE(FILE_DEVICE_UNKNOWN,0x800,METHOD_BUFFERED,FILE_ANY_ACCESS) /* 更多游戲逆向視頻www.yxfzedu.com ......

    uj5u.com 2020-09-10 02:00:56 more
  • 北斗電力時鐘(北斗授時服務器)讓網路資料更精準

    北斗電力時鐘(北斗授時服務器)讓網路資料更精準 北斗電力時鐘(北斗授時服務器)讓網路資料更精準 京準電子科技官微——ahjzsz 近幾年,資訊技術的得了快速發展,互聯網在逐漸普及,其在人們生活和生產中都得到了廣泛應用,并且取得了不錯的應用效果。計算機網路資訊在電力系統中的應用,一方面使電力系統的運行 ......

    uj5u.com 2020-09-10 02:01:03 more
  • 【CTF】CTFHub 技能樹 彩蛋 writeup

    ?碎碎念 CTFHub:https://www.ctfhub.com/ 筆者入門CTF時時剛開始刷的是bugku的舊平臺,后來才有了CTFHub。 感覺不論是網頁UI設計,還是題目質量,賽事跟蹤,工具軟體都做得很不錯。 而且因為獨到的金幣制度的確讓人有一種想去刷題賺金幣的感覺。 個人還是非常喜歡這個 ......

    uj5u.com 2020-09-10 02:04:05 more
  • 02windows基礎操作

    我學到了一下幾點 Windows系統目錄結構與滲透的作用 常見Windows的服務詳解 Windows埠詳解 常用的Windows注冊表詳解 hacker DOS命令詳解(net user / type /md /rd/ dir /cd /net use copy、批處理 等) 利用dos命令制作 ......

    uj5u.com 2020-09-10 02:04:18 more
  • 03.Linux基礎操作

    我學到了以下幾點 01Linux系統介紹02系統安裝,密碼啊破解03Linux常用命令04LAMP 01LINUX windows: win03 8 12 16 19 配置不繁瑣 Linux:redhat,centos(紅帽社區版),Ubuntu server,suse unix:金融機構,證券,銀 ......

    uj5u.com 2020-09-10 02:04:30 more
  • 05HTML

    01HTML介紹 02頭部標簽講解03基礎標簽講解04表單標簽講解 HTML前段語言 js1.了解代碼2.根據代碼 懂得挖掘漏洞 (POST注入/XSS漏洞上傳)3.黑帽seo 白帽seo 客戶網站被黑帽植入劫持代碼如何處理4.熟悉html表單 <html><head><title>TDK標題,描述 ......

    uj5u.com 2020-09-10 02:04:36 more
最新发布
  • 2023年最新微信小程式抓包教程

    01 開門見山 隔一個月發一篇文章,不過分。 首先回顧一下《微信系結手機號資料庫被脫庫事件》,我也是第一時間得知了這個訊息,然后跟蹤了整件事情的經過。下面是這起事件的相關截圖以及近日流出的一萬條資料樣本: 個人認為這件事也沒什么,還不如關注一下之前45億快遞資料查詢渠道疑似在近日復活的訊息。 訊息是 ......

    uj5u.com 2023-04-20 08:48:24 more
  • web3 產品介紹:metamask 錢包 使用最多的瀏覽器插件錢包

    Metamask錢包是一種基于區塊鏈技術的數字貨幣錢包,它允許用戶在安全、便捷的環境下管理自己的加密資產。Metamask錢包是以太坊生態系統中最流行的錢包之一,它具有易于使用、安全性高和功能強大等優點。 本文將詳細介紹Metamask錢包的功能和使用方法。 一、 Metamask錢包的功能 數字資 ......

    uj5u.com 2023-04-20 08:47:46 more
  • vulnhub_Earth

    前言 靶機地址->>>vulnhub_Earth 攻擊機ip:192.168.20.121 靶機ip:192.168.20.122 參考文章 https://www.cnblogs.com/Jing-X/archive/2022/04/03/16097695.html https://www.cnb ......

    uj5u.com 2023-04-20 07:46:20 more
  • 從4k到42k,軟體測驗工程師的漲薪史,給我看哭了

    清明節一過,盲猜大家已經無心上班,在數著日子準備過五一,但一想到銀行卡里的余額……瞬間心情就不美麗了。最近,2023年高校畢業生就業調查顯示,本科畢業月平均起薪為5825元。調查一出,便有很多同學表示自己又被平均了。看著這一資料,不免讓人想到前不久中國青年報的一項調查:近六成大學生認為畢業10年內會 ......

    uj5u.com 2023-04-20 07:44:00 more
  • 最新版本 Stable Diffusion 開源 AI 繪畫工具之中文自動提詞篇

    🎈 標簽生成器 由于輸入正向提示詞 prompt 和反向提示詞 negative prompt 都是使用英文,所以對學習母語的我們非常不友好 使用網址:https://tinygeeker.github.io/p/ai-prompt-generator 這個網址是為了讓大家在使用 AI 繪畫的時候 ......

    uj5u.com 2023-04-20 07:43:36 more
  • 漫談前端自動化測驗演進之路及測驗工具分析

    隨著前端技術的不斷發展和應用程式的日益復雜,前端自動化測驗也在不斷演進。隨著 Web 應用程式變得越來越復雜,自動化測驗的需求也越來越高。如今,自動化測驗已經成為 Web 應用程式開發程序中不可或缺的一部分,它們可以幫助開發人員更快地發現和修復錯誤,提高應用程式的性能和可靠性。 ......

    uj5u.com 2023-04-20 07:43:16 more
  • CANN開發實踐:4個DVPP記憶體問題的典型案例解讀

    摘要:由于DVPP媒體資料處理功能對存放輸入、輸出資料的記憶體有更高的要求(例如,記憶體首地址128位元組對齊),因此需呼叫專用的記憶體申請介面,那么本期就分享幾個關于DVPP記憶體問題的典型案例,并給出原因分析及解決方法。 本文分享自華為云社區《FAQ_DVPP記憶體問題案例》,作者:昇騰CANN。 DVPP ......

    uj5u.com 2023-04-20 07:43:03 more
  • msf學習

    msf學習 以kali自帶的msf為例 一、msf核心模塊與功能 msf模塊都放在/usr/share/metasploit-framework/modules目錄下 1、auxiliary 輔助模塊,輔助滲透(埠掃描、登錄密碼爆破、漏洞驗證等) 2、encoders 編碼器模塊,主要包含各種編碼 ......

    uj5u.com 2023-04-20 07:42:59 more
  • Halcon軟體安裝與界面簡介

    1. 下載Halcon17版本到到本地 2. 雙擊安裝包后 3. 步驟如下 1.2 Halcon軟體安裝 界面分為四大塊 1. Halcon的五個助手 1) 影像采集助手:與相機連接,設定相機引數,采集影像 2) 標定助手:九點標定或是其它的標定,生成標定檔案及內參外參,可以將像素單位轉換為長度單位 ......

    uj5u.com 2023-04-20 07:42:17 more
  • 在MacOS下使用Unity3D開發游戲

    第一次發博客,先發一下我的游戲開發環境吧。 去年2月份買了一臺MacBookPro2021 M1pro(以下簡稱mbp),這一年來一直在用mbp開發游戲。我大致分享一下我的開發工具以及使用體驗。 1、Unity 官網鏈接: https://unity.cn/releases 我一般使用的Apple ......

    uj5u.com 2023-04-20 07:40:19 more