forked from andrewyang17/goEagi
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathvad.go
55 lines (43 loc) · 1.12 KB
/
vad.go
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
// Package goEagi of vad.go provides functionality on
// detecting voice/speech activity based on audio bytes.
package goEagi
const (
defaultAmplitudeDetectionThreshold = -27.5
)
type VadResult struct {
Error error
Detected bool
Amplitude float64
Frame []byte
}
type Vad struct {
AmplitudeDetectionThreshold float64
}
// NewVad is a constructor of Vad.
// The initialization will use the defaultAmplitudeDetectionThreshold.
func NewVad() *Vad {
return &Vad{AmplitudeDetectionThreshold: defaultAmplitudeDetectionThreshold}
}
// Detect analyzes voice activity for a given slice of bytes.
func (v *Vad) Detect(done <-chan interface{}, stream <-chan []byte) <-chan VadResult {
vadResultStream := make(chan VadResult)
go func() {
defer close(vadResultStream)
for {
select {
case <-done:
return
case buf := <-stream:
amp, err := ComputeAmplitude(buf)
if err != nil {
vadResultStream <- VadResult{Error: err}
return
}
if v.AmplitudeDetectionThreshold < amp {
vadResultStream <- VadResult{Detected: true, Amplitude: amp, Frame: buf}
}
}
}
}()
return vadResultStream
}