hybridgroup.gobot/examples/tello_facetracker.go

395 lines
8.9 KiB
Go

//go:build example
// +build example
//
// Do not build by default.
/*
You must have ffmpeg and OpenCV installed in order to run this code. It will connect to the Tello
and then open a window using OpenCV showing the streaming video.
How to run
go run examples/tello_facetracker.go ~/Downloads/res10_300x300_ssd_iter_140000.caffemodel ~/Development/opencv/samples/dnn/face_detector/deploy.prototxt
You can find download the weight via https://github.com/opencv/opencv_3rdparty/raw/dnn_samples_face_detector_20170830/res10_300x300_ssd_iter_140000.caffemodel
And you can find protofile in OpenCV samples directory
*/
package main
import (
"fmt"
"image"
"image/color"
"io"
"math"
"os"
"os/exec"
"strconv"
"sync/atomic"
"time"
"gobot.io/x/gobot/v2"
"gobot.io/x/gobot/v2/platforms/dji/tello"
"gobot.io/x/gobot/v2/platforms/joystick"
"gocv.io/x/gocv"
)
type pair struct {
x float64
y float64
}
const (
frameX = 400
frameY = 300
frameSize = frameX * frameY * 3
offset = 32767.0
)
var (
// ffmpeg command to decode video stream from drone
ffmpeg = exec.Command("ffmpeg", "-hwaccel", "auto", "-hwaccel_device", "opencl", "-i", "pipe:0",
"-nostats", "-flags", "low_delay", "-probesize", "32", "-fflags", "nobuffer+fastseek+flush_packets", "-analyzeduration", "0", "-af", "aresample=async=1:min_comp=0.1:first_pts=0",
"-pix_fmt", "bgr24", "-s", strconv.Itoa(frameX)+"x"+strconv.Itoa(frameY), "-f", "rawvideo", "pipe:1")
ffmpegIn, _ = ffmpeg.StdinPipe()
ffmpegOut, _ = ffmpeg.StdoutPipe()
// gocv
window = gocv.NewWindow("Tello")
net *gocv.Net
green = color.RGBA{0, 255, 0, 0}
// tracking
tracking = false
detected = false
detectSize = false
distTolerance = 0.05 * dist(0, 0, frameX, frameY)
refDistance float64
left, top, right, bottom float64
// drone
drone = tello.NewDriver("8890")
flightData *tello.FlightData
// joystick
joyAdaptor = joystick.NewAdaptor("0")
stick = joystick.NewDriver(joyAdaptor, "dualshock4")
leftX, leftY, rightX, rightY atomic.Value
)
func init() {
leftX.Store(float64(0.0))
leftY.Store(float64(0.0))
rightX.Store(float64(0.0))
rightY.Store(float64(0.0))
// process drone events in separate goroutine for concurrency
go func() {
handleJoystick()
if err := ffmpeg.Start(); err != nil {
fmt.Println(err)
return
}
_ = drone.On(tello.FlightDataEvent, func(data interface{}) {
// TODO: protect flight data from race condition
flightData = data.(*tello.FlightData)
})
_ = drone.On(tello.ConnectedEvent, func(data interface{}) {
fmt.Println("Connected")
if err := drone.StartVideo(); err != nil {
fmt.Println(err)
}
if err := drone.SetVideoEncoderRate(tello.VideoBitRateAuto); err != nil {
fmt.Println(err)
}
if err := drone.SetExposure(0); err != nil {
fmt.Println(err)
}
gobot.Every(100*time.Millisecond, func() {
if err := drone.StartVideo(); err != nil {
fmt.Println(err)
}
})
})
_ = drone.On(tello.VideoFrameEvent, func(data interface{}) {
pkt := data.([]byte)
if _, err := ffmpegIn.Write(pkt); err != nil {
fmt.Println(err)
}
})
robot := gobot.NewRobot("tello",
[]gobot.Connection{joyAdaptor},
[]gobot.Device{drone, stick},
)
err := robot.Start()
if err != nil {
fmt.Println(err)
}
}()
}
func main() {
if len(os.Args) < 5 {
fmt.Println("How to run:\ngo run facetracker.go [model] [config] ([backend] [device])")
return
}
model := os.Args[1]
config := os.Args[2]
backend := gocv.NetBackendDefault
if len(os.Args) > 3 {
backend = gocv.ParseNetBackend(os.Args[3])
}
target := gocv.NetTargetCPU
if len(os.Args) > 4 {
target = gocv.ParseNetTarget(os.Args[4])
}
n := gocv.ReadNet(model, config)
if n.Empty() {
fmt.Printf("Error reading network model from : %v %v\n", model, config)
return
}
net = &n
defer net.Close()
net.SetPreferableBackend(gocv.NetBackendType(backend))
net.SetPreferableTarget(gocv.NetTargetType(target))
for {
// get next frame from stream
buf := make([]byte, frameSize)
if _, err := io.ReadFull(ffmpegOut, buf); err != nil {
fmt.Println(err)
continue
}
img, _ := gocv.NewMatFromBytes(frameY, frameX, gocv.MatTypeCV8UC3, buf)
if img.Empty() {
continue
}
trackFace(&img)
window.IMShow(img)
if window.WaitKey(10) >= 0 {
break
}
}
}
func trackFace(frame *gocv.Mat) {
W := float64(frame.Cols())
H := float64(frame.Rows())
blob := gocv.BlobFromImage(*frame, 1.0, image.Pt(300, 300), gocv.NewScalar(104, 177, 123, 0), false, false)
defer blob.Close()
net.SetInput(blob, "data")
detBlob := net.Forward("detection_out")
defer detBlob.Close()
detections := gocv.GetBlobChannel(detBlob, 0, 0)
defer detections.Close()
for r := 0; r < detections.Rows(); r++ {
confidence := detections.GetFloatAt(r, 2)
if confidence < 0.5 {
continue
}
left = float64(detections.GetFloatAt(r, 3)) * W
top = float64(detections.GetFloatAt(r, 4)) * H
right = float64(detections.GetFloatAt(r, 5)) * W
bottom = float64(detections.GetFloatAt(r, 6)) * H
left = math.Min(math.Max(0.0, left), W-1.0)
right = math.Min(math.Max(0.0, right), W-1.0)
bottom = math.Min(math.Max(0.0, bottom), H-1.0)
top = math.Min(math.Max(0.0, top), H-1.0)
detected = true
rect := image.Rect(int(left), int(top), int(right), int(bottom))
gocv.Rectangle(frame, rect, green, 3)
}
if !tracking || !detected {
return
}
if detectSize {
detectSize = false
refDistance = dist(left, top, right, bottom)
}
distance := dist(left, top, right, bottom)
// x axis
switch {
case right < W/2:
drone.CounterClockwise(50)
case left > W/2:
drone.Clockwise(50)
default:
drone.Clockwise(0)
}
// y axis
switch {
case top < H/10:
drone.Up(25)
case bottom > H-H/10:
drone.Down(25)
default:
drone.Up(0)
}
// z axis
switch {
case distance < refDistance-distTolerance:
drone.Forward(20)
case distance > refDistance+distTolerance:
drone.Backward(20)
default:
drone.Forward(0)
}
}
func dist(x1, y1, x2, y2 float64) float64 {
return math.Sqrt((x2-x1)*(x2-x1) + (y2-y1)*(y2-y1))
}
func handleJoystick() {
_ = stick.On(joystick.CirclePress, func(data interface{}) {
drone.Forward(0)
drone.Up(0)
drone.Clockwise(0)
tracking = !tracking
if tracking {
detectSize = true
println("tracking")
} else {
detectSize = false
println("not tracking")
}
})
_ = stick.On(joystick.SquarePress, func(data interface{}) {
fmt.Println("battery:", flightData.BatteryPercentage)
})
_ = stick.On(joystick.TrianglePress, func(data interface{}) {
drone.TakeOff()
println("Takeoff")
})
_ = stick.On(joystick.XPress, func(data interface{}) {
drone.Land()
println("Land")
})
_ = stick.On(joystick.LeftX, func(data interface{}) {
val := float64(data.(int16))
leftX.Store(val)
})
_ = stick.On(joystick.LeftY, func(data interface{}) {
val := float64(data.(int16))
leftY.Store(val)
})
_ = stick.On(joystick.RightX, func(data interface{}) {
val := float64(data.(int16))
rightX.Store(val)
})
_ = stick.On(joystick.RightY, func(data interface{}) {
val := float64(data.(int16))
rightY.Store(val)
})
gobot.Every(50*time.Millisecond, func() {
rightStick := getRightStick()
switch {
case rightStick.y < -10:
if err := drone.Forward(tello.ValidatePitch(rightStick.y, offset)); err != nil {
fmt.Println(err)
}
case rightStick.y > 10:
if err := drone.Backward(tello.ValidatePitch(rightStick.y, offset)); err != nil {
fmt.Println(err)
}
default:
if err := drone.Forward(0); err != nil {
fmt.Println(err)
}
}
switch {
case rightStick.x > 10:
if err := drone.Right(tello.ValidatePitch(rightStick.x, offset)); err != nil {
fmt.Println(err)
}
case rightStick.x < -10:
if err := drone.Left(tello.ValidatePitch(rightStick.x, offset)); err != nil {
fmt.Println(err)
}
default:
if err := drone.Right(0); err != nil {
fmt.Println(err)
}
}
})
gobot.Every(50*time.Millisecond, func() {
leftStick := getLeftStick()
switch {
case leftStick.y < -10:
if err := drone.Up(tello.ValidatePitch(leftStick.y, offset)); err != nil {
fmt.Println(err)
}
case leftStick.y > 10:
if err := drone.Down(tello.ValidatePitch(leftStick.y, offset)); err != nil {
fmt.Println(err)
}
default:
if err := drone.Up(0); err != nil {
fmt.Println(err)
}
}
switch {
case leftStick.x > 20:
if err := drone.Clockwise(tello.ValidatePitch(leftStick.x, offset)); err != nil {
fmt.Println(err)
}
case leftStick.x < -20:
if err := drone.CounterClockwise(tello.ValidatePitch(leftStick.x, offset)); err != nil {
fmt.Println(err)
}
default:
if err := drone.Clockwise(0); err != nil {
fmt.Println(err)
}
}
})
}
func getLeftStick() pair {
s := pair{x: 0, y: 0}
s.x = leftX.Load().(float64)
s.y = leftY.Load().(float64)
return s
}
func getRightStick() pair {
s := pair{x: 0, y: 0}
s.x = rightX.Load().(float64)
s.y = rightY.Load().(float64)
return s
}