データチャネル

WebRTC 標準では、任意のデータを RTCPeerConnection。これを行うには、createDataChannel()RTCPeerConnection オブジェクト。これは RTCDataChannel オブジェクトを返します。

const peerConnection = new RTCPeerConnection(configuration);
const dataChannel = peerConnection.createDataChannel();

リモートピアは、datachannel をリッスンすることでデータ チャネルを受信できる RTCPeerConnection オブジェクトのイベント。受信したイベントのタイプは RTCDataChannelEvent です。これには channel プロパティが含まれます。 ピア間に RTCDataChannel が接続されています。

const peerConnection = new RTCPeerConnection(configuration);
peerConnection.addEventListener('datachannel', event => {
    const dataChannel = event.channel;
});

開閉イベント

データ送信にデータチャネルを使用するには、クライアントが待機する必要がある 開きます。これは、open イベントをリッスンすることで実現されます。 同様に、いずれかの側がチャンネルを閉じると、close イベントが発生します。

const messageBox = document.querySelector('#messageBox');
const sendButton = document.querySelector('#sendButton');
const peerConnection = new RTCPeerConnection(configuration);
const dataChannel = peerConnection.createDataChannel();

// Enable textarea and button when opened
dataChannel.addEventListener('open', event => {
    messageBox.disabled = false;
    messageBox.focus();
    sendButton.disabled = false;
});

// Disable input when closed
dataChannel.addEventListener('close', event => {
    messageBox.disabled = false;
    sendButton.disabled = false;
});

メッセージ

RTCDataChannel でのメッセージの送信は、send() 関数を呼び出して行います。 入力する必要がありますこの関数の data パラメータには、 文字列、BlobArrayBufferArrayBufferView のいずれかを指定します。

const messageBox = document.querySelector('#messageBox');
const sendButton = document.querySelector('#sendButton');

// Send a simple text message when we click the button
sendButton.addEventListener('click', event => {
    const message = messageBox.textContent;
    dataChannel.send(message);
})

リモートピアは、リッスンすることで RTCDataChannel で送信されたメッセージを受信します。 message イベント。

const incomingMessages = document.querySelector('#incomingMessages');

const peerConnection = new RTCPeerConnection(configuration);
const dataChannel = peerConnection.createDataChannel();

// Append new messages to the box of incoming messages
dataChannel.addEventListener('message', event => {
    const message = event.data;
    incomingMessages.textContent += message + '\n';
});