mirror of
https://github.com/pion/mediadevices.git
synced 2025-09-28 13:22:14 +08:00
Compare commits
4 Commits
add_codec_
...
pcm16
Author | SHA1 | Date | |
---|---|---|---|
![]() |
9213855322 | ||
![]() |
7a5feda2a4 | ||
![]() |
32c78be33b | ||
![]() |
1d496f796e |
8
examples/file/Makefile
Normal file
8
examples/file/Makefile
Normal file
@@ -0,0 +1,8 @@
|
|||||||
|
record:
|
||||||
|
gst-launch-1.0 -v pulsesrc ! audio/x-raw, format=S16LE, rate=48000, channels=2 ! filesink location=audio.raw
|
||||||
|
|
||||||
|
|
||||||
|
play: audio.raw
|
||||||
|
gst-launch-1.0 filesrc location=$^ ! rawaudioparse use-sink-caps=false \
|
||||||
|
format=pcm pcm-format=s16le sample-rate=48000 num-channels=2 ! \
|
||||||
|
audioconvert ! audioresample ! autoaudiosink
|
42
examples/file/README.md
Normal file
42
examples/file/README.md
Normal file
@@ -0,0 +1,42 @@
|
|||||||
|
## Instructions
|
||||||
|
|
||||||
|
### Install required codecs
|
||||||
|
|
||||||
|
In this example, we'll be using x264 and opus as our video and audio codecs. Therefore, we need to make sure that these codecs are installed within our system.
|
||||||
|
|
||||||
|
Installation steps:
|
||||||
|
|
||||||
|
* [opus](https://github.com/pion/mediadevices#opus)
|
||||||
|
|
||||||
|
### Download webrtc example
|
||||||
|
|
||||||
|
```
|
||||||
|
git clone https://github.com/pion/mediadevices.git
|
||||||
|
```
|
||||||
|
|
||||||
|
#### Compile webrtc example
|
||||||
|
|
||||||
|
```
|
||||||
|
cd mediadevices && git checkout pcm16 && cd examples/file && go build
|
||||||
|
```
|
||||||
|
|
||||||
|
### Open example page
|
||||||
|
|
||||||
|
[jsfiddle.net](https://jsfiddle.net/gh/get/library/pure/pion/mediadevices/tree/master/examples/internal/jsfiddle/audio-and-video) you should see two text-areas and a 'Start Session' button
|
||||||
|
|
||||||
|
### Run the webrtc example with your browsers SessionDescription as stdin
|
||||||
|
|
||||||
|
In the jsfiddle the top textarea is your browser, copy that, and store the session description in an environment variable, `export SDP=<put_the_sdp_here>`
|
||||||
|
|
||||||
|
Run `echo $SDP | ./file`
|
||||||
|
|
||||||
|
### Input webrtc's SessionDescription into your browser
|
||||||
|
|
||||||
|
Copy the text that `./file` just emitted and copy into second text area
|
||||||
|
|
||||||
|
### Hit 'Start Session' in jsfiddle, enjoy your video!
|
||||||
|
|
||||||
|
A video should start playing in your browser above the input boxes, and will continue playing until you close the application.
|
||||||
|
|
||||||
|
Congrats, you have used pion-MediaDevices! Now start building something cool
|
||||||
|
|
BIN
examples/file/audio.raw
Normal file
BIN
examples/file/audio.raw
Normal file
Binary file not shown.
181
examples/file/main.go
Normal file
181
examples/file/main.go
Normal file
@@ -0,0 +1,181 @@
|
|||||||
|
package main
|
||||||
|
|
||||||
|
import (
|
||||||
|
"bufio"
|
||||||
|
"encoding/binary"
|
||||||
|
"fmt"
|
||||||
|
"io"
|
||||||
|
"os"
|
||||||
|
"time"
|
||||||
|
|
||||||
|
"github.com/pion/mediadevices"
|
||||||
|
"github.com/pion/mediadevices/examples/internal/signal"
|
||||||
|
"github.com/pion/mediadevices/pkg/codec/opus"
|
||||||
|
"github.com/pion/mediadevices/pkg/wave"
|
||||||
|
"github.com/pion/webrtc/v3"
|
||||||
|
)
|
||||||
|
|
||||||
|
const (
|
||||||
|
sampleRate = 48000
|
||||||
|
channels = 2
|
||||||
|
sampleSize = 2
|
||||||
|
)
|
||||||
|
|
||||||
|
type AudioFile struct {
|
||||||
|
rawReader *os.File
|
||||||
|
bufferedReader *bufio.Reader
|
||||||
|
rawBuffer []byte
|
||||||
|
decoder wave.Decoder
|
||||||
|
ticker *time.Ticker
|
||||||
|
}
|
||||||
|
|
||||||
|
func NewAudioFile(path string) (*AudioFile, error) {
|
||||||
|
// Assume 48000 sample rate, mono channel, and S16LE interleaved
|
||||||
|
latency := time.Millisecond * 120
|
||||||
|
readFrequency := time.Second / latency
|
||||||
|
readLen := sampleRate * channels * sampleSize / int(readFrequency)
|
||||||
|
decoder, err := wave.NewDecoder(&wave.RawFormat{
|
||||||
|
SampleSize: sampleSize,
|
||||||
|
IsFloat: false,
|
||||||
|
Interleaved: true,
|
||||||
|
})
|
||||||
|
|
||||||
|
fmt.Printf(`
|
||||||
|
Latency: %s
|
||||||
|
Read Frequency: %d Hz
|
||||||
|
Buffer Len: %d bytes
|
||||||
|
`, latency, readFrequency, readLen)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
|
||||||
|
f, err := os.Open(path)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
|
||||||
|
return &AudioFile{
|
||||||
|
rawReader: f,
|
||||||
|
bufferedReader: bufio.NewReader(f),
|
||||||
|
rawBuffer: make([]byte, readLen),
|
||||||
|
decoder: decoder,
|
||||||
|
ticker: time.NewTicker(latency),
|
||||||
|
}, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (file *AudioFile) Read() (chunk wave.Audio, release func(), err error) {
|
||||||
|
_, err = io.ReadFull(file.bufferedReader, file.rawBuffer)
|
||||||
|
if err != nil {
|
||||||
|
// Keep looping the audio
|
||||||
|
file.rawReader.Seek(0, 0)
|
||||||
|
_, err = io.ReadFull(file.bufferedReader, file.rawBuffer)
|
||||||
|
if err != nil {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
chunk, err = file.decoder.Decode(binary.LittleEndian, file.rawBuffer, channels)
|
||||||
|
if err != nil {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
int16Chunk := chunk.(*wave.Int16Interleaved)
|
||||||
|
int16Chunk.Size.SamplingRate = sampleRate
|
||||||
|
|
||||||
|
// Slow down reading so that it matches 48 KHz
|
||||||
|
<-file.ticker.C
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
func (file *AudioFile) Close() error {
|
||||||
|
return file.rawReader.Close()
|
||||||
|
}
|
||||||
|
|
||||||
|
func (file *AudioFile) ID() string {
|
||||||
|
return "raw-audio-from-file"
|
||||||
|
}
|
||||||
|
|
||||||
|
func must(err error) {
|
||||||
|
if err != nil {
|
||||||
|
panic(err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func main() {
|
||||||
|
config := webrtc.Configuration{
|
||||||
|
ICEServers: []webrtc.ICEServer{
|
||||||
|
{
|
||||||
|
URLs: []string{"stun:stun.l.google.com:19302"},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
|
||||||
|
// Wait for the offer to be pasted
|
||||||
|
offer := webrtc.SessionDescription{}
|
||||||
|
signal.Decode(signal.MustReadStdin(), &offer)
|
||||||
|
|
||||||
|
opusParams, err := opus.NewParams()
|
||||||
|
if err != nil {
|
||||||
|
panic(err)
|
||||||
|
}
|
||||||
|
opusParams.Latency = opus.Latency20ms
|
||||||
|
|
||||||
|
codecSelector := mediadevices.NewCodecSelector(
|
||||||
|
mediadevices.WithAudioEncoders(&opusParams),
|
||||||
|
)
|
||||||
|
|
||||||
|
mediaEngine := webrtc.MediaEngine{}
|
||||||
|
codecSelector.Populate(&mediaEngine)
|
||||||
|
api := webrtc.NewAPI(webrtc.WithMediaEngine(&mediaEngine))
|
||||||
|
peerConnection, err := api.NewPeerConnection(config)
|
||||||
|
if err != nil {
|
||||||
|
panic(err)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Set the handler for ICE connection state
|
||||||
|
// This will notify you when the peer has connected/disconnected
|
||||||
|
peerConnection.OnICEConnectionStateChange(func(connectionState webrtc.ICEConnectionState) {
|
||||||
|
fmt.Printf("Connection State has changed %s \n", connectionState.String())
|
||||||
|
})
|
||||||
|
|
||||||
|
audioSource, err := NewAudioFile("audio.raw")
|
||||||
|
must(err)
|
||||||
|
|
||||||
|
audioTrack := mediadevices.NewAudioTrack(audioSource, codecSelector)
|
||||||
|
|
||||||
|
audioTrack.OnEnded(func(err error) {
|
||||||
|
fmt.Printf("Track (ID: %s) ended with error: %v\n",
|
||||||
|
audioTrack.ID(), err)
|
||||||
|
})
|
||||||
|
|
||||||
|
_, err = peerConnection.AddTransceiverFromTrack(audioTrack,
|
||||||
|
webrtc.RtpTransceiverInit{
|
||||||
|
Direction: webrtc.RTPTransceiverDirectionSendonly,
|
||||||
|
},
|
||||||
|
)
|
||||||
|
must(err)
|
||||||
|
|
||||||
|
// Set the remote SessionDescription
|
||||||
|
must(peerConnection.SetRemoteDescription(offer))
|
||||||
|
|
||||||
|
// Create an answer
|
||||||
|
answer, err := peerConnection.CreateAnswer(nil)
|
||||||
|
must(err)
|
||||||
|
|
||||||
|
// Create channel that is blocked until ICE Gathering is complete
|
||||||
|
gatherComplete := webrtc.GatheringCompletePromise(peerConnection)
|
||||||
|
|
||||||
|
// Sets the LocalDescription, and starts our UDP listeners
|
||||||
|
must(peerConnection.SetLocalDescription(answer))
|
||||||
|
|
||||||
|
// Block until ICE Gathering is complete, disabling trickle ICE
|
||||||
|
// we do this because we only can exchange one signaling message
|
||||||
|
// in a production application you should exchange ICE Candidates via OnICECandidate
|
||||||
|
<-gatherComplete
|
||||||
|
|
||||||
|
// Output the answer in base64 so we can paste it in browser
|
||||||
|
fmt.Println(signal.Encode(*peerConnection.LocalDescription()))
|
||||||
|
|
||||||
|
// Block forever
|
||||||
|
select {}
|
||||||
|
}
|
@@ -18,6 +18,16 @@ int bridge_encoder_set_bitrate(OpusEncoder *e, opus_int32 bitrate)
|
|||||||
{
|
{
|
||||||
return opus_encoder_ctl(e, OPUS_SET_BITRATE(bitrate));
|
return opus_encoder_ctl(e, OPUS_SET_BITRATE(bitrate));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
int bridge_encoder_set_inband_fec(OpusEncoder *e, int enable)
|
||||||
|
{
|
||||||
|
return opus_encoder_ctl(e, OPUS_SET_INBAND_FEC(enable));
|
||||||
|
}
|
||||||
|
|
||||||
|
int bridge_encoder_set_packet_loss_perc(OpusEncoder *e, int pct)
|
||||||
|
{
|
||||||
|
return opus_encoder_ctl(e, OPUS_SET_PACKET_LOSS_PERC(pct));
|
||||||
|
}
|
||||||
*/
|
*/
|
||||||
import "C"
|
import "C"
|
||||||
|
|
||||||
@@ -65,6 +75,24 @@ func newEncoder(r audio.Reader, p prop.Media, params Params) (codec.ReadCloser,
|
|||||||
reader: rMix(rBuf(r)),
|
reader: rMix(rBuf(r)),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
cerror = C.bridge_encoder_set_inband_fec(
|
||||||
|
engine,
|
||||||
|
C.int(1),
|
||||||
|
)
|
||||||
|
if cerror != C.OPUS_OK {
|
||||||
|
e.Close()
|
||||||
|
return nil, fmt.Errorf("failed to set inband fec")
|
||||||
|
}
|
||||||
|
|
||||||
|
cerror = C.bridge_encoder_set_packet_loss_perc(
|
||||||
|
engine,
|
||||||
|
C.int(100),
|
||||||
|
)
|
||||||
|
if cerror != C.OPUS_OK {
|
||||||
|
e.Close()
|
||||||
|
return nil, fmt.Errorf("failed to set loss perc")
|
||||||
|
}
|
||||||
|
|
||||||
err := e.SetBitRate(params.BitRate)
|
err := e.SetBitRate(params.BitRate)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
e.Close()
|
e.Close()
|
||||||
|
Reference in New Issue
Block a user