WebRTC(Web Real-Time Communication)는 웹 브라우저와 모바일 앱에서 간단한 API를 통해 실시간 커뮤니케이션을 가능하게 하는 오픈소스 기술입니다. 중간 서버 없이 피어 간에 오디오, 비디오, 데이터를 직접 공유할 수 있으므로 화상 회의, 라이브 스트리밍, 파일 공유와 같은 애플리케이션에 적합합니다.
이 블로그에서는 다음 주제를 자세히 살펴보겠습니다.
WebRTC는 웹 브라우저 간 실시간 오디오, 비디오, 데이터 통신을 가능하게 하는 표준 및 프로토콜 집합입니다. 여기에는 몇 가지 주요 구성 요소가 포함되어 있습니다.
WebRTC는 클라이언트 측 기술이므로 특정 서버 설치가 필요하지 않습니다. 그러나 HTML 및 JavaScript 파일을 제공하려면 웹 서버가 필요합니다. 로컬 개발의 경우 간단한 HTTP 서버를 사용할 수 있습니다.
Node.js 설치: nodejs.org에서 Node.js를 다운로드하고 설치합니다.
프로젝트 디렉토리 생성: 터미널을 열고 프로젝트를 위한 새 디렉토리를 생성합니다.
mkdir webrtc-project cd webrtc-project
Node.js 프로젝트 초기화:
npm init -y
HTTP 서버 설치:
npm install --save http-server
프로젝트 파일 만들기:
다음 내용으로 index.html 파일을 만듭니다.
```html 8b05045a5be5764f313ed5b9168a17e6 49099650ebdc5f3125501fa170048923 93f0f5c25f18dab9d176bd4f6de5d30e 1fc2df4564f5324148703df3b6ed50c1 4f2fb0231f24e8aef524fc9bf9b9874f b2386ffb911b14667cb8f0f91ea547a7WebRTC Example6e916e0f7d1e588d4f442bf645aedb2f 9c3bca370b5104690d9ef395f2c5f8d1 6c04bd5ca3fcae76e30b72ad730ca86d 4a249f0d628e2318394fd9b75b4636b1WebRTC Example473f0a7621bec819994bb5020d29372a 886e14ee2bf2e07562cf694bdd704993a6a9c6d3f311dabb528ad355798dc27d fc3cb8de349c32412815ef2a53a0fb7ca6a9c6d3f311dabb528ad355798dc27d e803653d6fd93b3996ebf69dd59af1622cacc6d41bbb37262a98f745aa00fbf0 36cc49f0c466276486e50c850b7e4956 73a6ac4ed44ffec12cee46588e518a5e ```
간단한 P2P 화상 통화 애플리케이션을 만들어 보겠습니다. 이 예에서는 두 개의 브라우저 탭을 사용하여 피어 연결을 시뮬레이션합니다.
로컬 비디오 캡처: getUserMedia를 사용하여 사용자 카메라에서 비디오를 캡처합니다.
Create Peer Connection: 로컬 피어와 원격 피어 간에 피어 연결을 설정합니다.
교환 제안 및 답변: SDP(Session Description Protocol)를 사용하여 연결 세부 정보를 교환합니다.
ICE 후보 처리: ICE 후보를 교환하여 연결을 설정합니다.
다음 콘텐츠로 main.js 파일을 만듭니다.
const localVideo = document.getElementById('localVideo'); const remoteVideo = document.getElementById('remoteVideo'); let localStream; let peerConnection; const serverConfig = { iceServers: [{ urls: 'stun:stun.l.google.com:19302' }] }; const constraints = { video: true, audio: true }; // Get local video stream navigator.mediaDevices.getUserMedia(constraints) .then(stream => { localStream = stream; localVideo.srcObject = stream; setupPeerConnection(); }) .catch(error => { console.error('Error accessing media devices.', error); }); function setupPeerConnection() { peerConnection = new RTCPeerConnection(serverConfig); // Add local stream to the peer connection localStream.getTracks().forEach(track => peerConnection.addTrack(track, localStream)); // Handle remote stream peerConnection.ontrack = event => { remoteVideo.srcObject = event.streams[0]; }; // Handle ICE candidates peerConnection.onicecandidate = event => { if (event.candidate) { sendSignal({ 'ice': event.candidate }); } }; // Create an offer and set local description peerConnection.createOffer() .then(offer => { return peerConnection.setLocalDescription(offer); }) .then(() => { sendSignal({ 'offer': peerConnection.localDescription }); }) .catch(error => { console.error('Error creating an offer.', error); }); } // Handle signals (for demo purposes, this should be replaced with a signaling server) function sendSignal(signal) { console.log('Sending signal:', signal); // Here you would send the signal to the other peer (e.g., via WebSocket) } function receiveSignal(signal) { if (signal.offer) { peerConnection.setRemoteDescription(new RTCSessionDescription(signal.offer)) .then(() => peerConnection.createAnswer()) .then(answer => peerConnection.setLocalDescription(answer)) .then(() => sendSignal({ 'answer': peerConnection.localDescription })); } else if (signal.answer) { peerConnection.setRemoteDescription(new RTCSessionDescription(signal.answer)); } else if (signal.ice) { peerConnection.addIceCandidate(new RTCIceCandidate(signal.ice)); } } // Simulate receiving a signal from another peer // This would typically be handled by a signaling server setTimeout(() => { receiveSignal({ offer: { type: 'offer', sdp: '...' // SDP offer from the other peer } }); }, 1000);
위 내용은 WebRTC 소개의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!