sip-connector 20.3.0 → 20.4.1

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -2,3 +2,4 @@ export { default as ApiManager } from './@ApiManager';
2
2
  export { EContentTypeReceived, EContentTypeSent, EEventsMainCAM, EEventsMic, EEventsSyncMediaState, EHeader, EShareState, EUseLicense, } from './constants';
3
3
  export { createEvents } from './events';
4
4
  export type { TEventMap, TEvent as TApiEvent, TEvents as TApiEvents } from './events';
5
+ export type { TChannels } from './types';
@@ -0,0 +1,60 @@
1
+ import { CallStateMachine, TCallActor } from './CallStateMachine';
2
+ import { RTCSession } from '@krivega/jssip';
3
+ import { ConferenceStateManager } from '../ConferenceStateManager';
4
+ import { TEventMap, TEvents } from './events';
5
+ import { TAnswerToIncomingCall, TCallRoleSpectator, TReplaceMediaStream, TStartCall } from './types';
6
+ declare class CallManager {
7
+ readonly events: TEvents;
8
+ readonly callStateMachine: CallStateMachine;
9
+ protected isPendingCall: boolean;
10
+ protected isPendingAnswer: boolean;
11
+ protected rtcSession?: RTCSession;
12
+ private readonly conferenceStateManager;
13
+ private readonly mainRemoteStreamsManager;
14
+ private readonly recvRemoteStreamsManager;
15
+ private readonly roleManager;
16
+ private readonly mcuSession;
17
+ private recvSession?;
18
+ private disposeRecvSessionTrackListener?;
19
+ constructor(conferenceStateManager: ConferenceStateManager);
20
+ get callActor(): TCallActor;
21
+ get requested(): boolean;
22
+ get connection(): RTCPeerConnection | undefined;
23
+ get isCallActive(): boolean;
24
+ getEstablishedRTCSession: () => RTCSession | undefined;
25
+ on<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
26
+ onRace<T extends keyof TEventMap>(eventNames: T[], handler: (data: TEventMap[T], eventName: string) => void): () => void;
27
+ once<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
28
+ onceRace<T extends keyof TEventMap>(eventNames: T[], handler: (data: TEventMap[T], eventName: string) => void): () => void;
29
+ wait<T extends keyof TEventMap>(eventName: T): Promise<TEventMap[T]>;
30
+ off<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): void;
31
+ startCall: TStartCall;
32
+ endCall(): Promise<void>;
33
+ renegotiate(): Promise<boolean>;
34
+ answerToIncomingCall: TAnswerToIncomingCall;
35
+ getMainStream(): MediaStream | undefined;
36
+ getRemoteStreams(): MediaStream[];
37
+ setCallRoleParticipant(): void;
38
+ setCallRoleSpectatorSynthetic(): void;
39
+ setCallRoleSpectator(recvParams: TCallRoleSpectator['recvParams']): void;
40
+ replaceMediaStream(mediaStream: Parameters<TReplaceMediaStream>[0], options?: Parameters<TReplaceMediaStream>[1]): Promise<void>;
41
+ restartIce(options?: {
42
+ useUpdate?: boolean;
43
+ extraHeaders?: string[];
44
+ rtcOfferConstraints?: RTCOfferOptions;
45
+ sendEncodings?: RTCRtpEncodingParameters[];
46
+ degradationPreference?: RTCDegradationPreference;
47
+ }): Promise<boolean>;
48
+ private readonly reset;
49
+ private subscribeCallStatusChange;
50
+ private maybeTriggerCallStatus;
51
+ private subscribeMcuRemoteTrackEvents;
52
+ private addRemoteTrack;
53
+ private emitRemoteStreamsChanged;
54
+ private getActiveStreamsManager;
55
+ private attachRecvSessionTracks;
56
+ private startRecvSession;
57
+ private stopRecvSession;
58
+ private readonly onRoleChanged;
59
+ }
60
+ export default CallManager;
@@ -0,0 +1,22 @@
1
+ import { TEventMap, TEvents } from './events';
2
+ import { TConferenceState, TConferenceStateUpdate } from './types';
3
+ declare class ConferenceStateManager {
4
+ readonly events: TEvents;
5
+ private state;
6
+ constructor();
7
+ getState(): Readonly<TConferenceState>;
8
+ updateState(updates: TConferenceStateUpdate): void;
9
+ reset(): void;
10
+ getToken(): string | undefined;
11
+ getRoom(): string | undefined;
12
+ getParticipantName(): string | undefined;
13
+ getChannels(): TConferenceState['channels'];
14
+ getConference(): string | undefined;
15
+ getParticipant(): string | undefined;
16
+ getNumber(): string | undefined;
17
+ getAnswer(): boolean | undefined;
18
+ on<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
19
+ once<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
20
+ off<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): void;
21
+ }
22
+ export default ConferenceStateManager;
@@ -0,0 +1,18 @@
1
+ import { TypedEvents } from 'events-constructor';
2
+ import { TConferenceState } from './types';
3
+ export declare enum EEvent {
4
+ STATE_CHANGED = "state-changed",
5
+ STATE_RESET = "state-reset"
6
+ }
7
+ export declare const EVENT_NAMES: readonly ["state-changed", "state-reset"];
8
+ export type TEvent = (typeof EVENT_NAMES)[number];
9
+ export type TEventMap = {
10
+ 'state-changed': {
11
+ previous: TConferenceState;
12
+ current: TConferenceState;
13
+ updates: Partial<TConferenceState>;
14
+ };
15
+ 'state-reset': Record<string, never>;
16
+ };
17
+ export type TEvents = TypedEvents<TEventMap>;
18
+ export declare const createEvents: () => TypedEvents<TEventMap, readonly (keyof TEventMap)[]>;
@@ -0,0 +1,4 @@
1
+ export { default as ConferenceStateManager } from './@ConferenceStateManager';
2
+ export { EEvent } from './events';
3
+ export type { TConferenceState, TConferenceStateUpdate } from './types';
4
+ export type { TEventMap, TEvents } from './events';
@@ -0,0 +1,12 @@
1
+ import { TChannels } from '../ApiManager';
2
+ export type TConferenceState = {
3
+ room?: string;
4
+ participantName?: string;
5
+ channels?: TChannels;
6
+ token?: string;
7
+ conference?: string;
8
+ participant?: string;
9
+ number?: string;
10
+ answer?: boolean;
11
+ };
12
+ export type TConferenceStateUpdate = Partial<TConferenceState>;
@@ -0,0 +1,59 @@
1
+ import { default as SipOperations, TParametersCheckTelephony } from './SipOperations';
2
+ import { RegisteredEvent, UA, UnRegisteredEvent, WebSocketInterface } from '@krivega/jssip';
3
+ import { TGetUri } from '../CallManager';
4
+ import { TJsSIP } from '../types';
5
+ import { TConnect, TConnectionConfigurationWithUa, TParametersConnection, TSet } from './ConnectionFlow';
6
+ import { TConnectionActor } from './ConnectionStateMachine';
7
+ import { TEventMap, TEvents } from './events';
8
+ type TConnectParameters = (() => Promise<TParametersConnection>) | TParametersConnection;
9
+ type TConnectOptions = Parameters<TConnect>[1] & {
10
+ hasReadyForConnection?: () => boolean;
11
+ };
12
+ export default class ConnectionManager {
13
+ readonly events: TEvents;
14
+ ua?: UA;
15
+ socket?: WebSocketInterface;
16
+ private readonly uaFactory;
17
+ private readonly registrationManager;
18
+ private readonly stateMachine;
19
+ private readonly connectionFlow;
20
+ private readonly sipOperations;
21
+ private readonly configurationManager;
22
+ private readonly JsSIP;
23
+ constructor({ JsSIP }: {
24
+ JsSIP: TJsSIP;
25
+ });
26
+ get requested(): boolean;
27
+ get isPendingConnect(): boolean;
28
+ get isPendingInitUa(): boolean;
29
+ get isIdle(): boolean;
30
+ get isDisconnected(): boolean;
31
+ get isFailed(): boolean;
32
+ get connectionActor(): TConnectionActor;
33
+ get connectionState(): import('./ConnectionStateMachine').EState;
34
+ get isRegistered(): boolean;
35
+ get isRegisterConfig(): boolean;
36
+ connect: (parameters: TConnectParameters, options?: TConnectOptions) => Promise<TConnectionConfigurationWithUa>;
37
+ set: TSet;
38
+ disconnect: () => Promise<void>;
39
+ register(): Promise<RegisteredEvent>;
40
+ unregister(): Promise<UnRegisteredEvent>;
41
+ readonly tryRegister: () => Promise<RegisteredEvent>;
42
+ sendOptions: (target: Parameters<SipOperations["sendOptions"]>[0], body?: Parameters<SipOperations["sendOptions"]>[1], extraHeaders?: Parameters<SipOperations["sendOptions"]>[2]) => Promise<void>;
43
+ ping: (body?: Parameters<SipOperations["ping"]>[0], extraHeaders?: Parameters<SipOperations["ping"]>[1]) => Promise<void>;
44
+ checkTelephony: (parameters: TParametersCheckTelephony) => Promise<void>;
45
+ on<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
46
+ once<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
47
+ onceRace<T extends keyof TEventMap>(eventNames: T[], handler: (data: TEventMap[T], eventName: string) => void): () => void;
48
+ wait<T extends keyof TEventMap>(eventName: T): Promise<TEventMap[T]>;
49
+ off<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): void;
50
+ isConfigured(): boolean;
51
+ getConnectionConfiguration: () => import('./ConfigurationManager').IConnectionConfiguration | undefined;
52
+ destroy(): void;
53
+ getUri: TGetUri;
54
+ readonly getUaProtected: () => UA;
55
+ private readonly getUa;
56
+ private readonly connectWithProcessError;
57
+ private readonly processConnect;
58
+ }
59
+ export {};
@@ -0,0 +1,32 @@
1
+ import { IncomingCallStateMachine, TIncomingActor } from './IncomingCallStateMachine';
2
+ import { RTCSession } from '@krivega/jssip';
3
+ import { ConnectionManager } from '../ConnectionManager';
4
+ import { TEventMap, TEvents } from './events';
5
+ export default class IncomingCallManager {
6
+ readonly events: TEvents;
7
+ readonly incomingStateMachine: IncomingCallStateMachine;
8
+ private incomingRTCSession?;
9
+ private readonly connectionManager;
10
+ constructor(connectionManager: ConnectionManager);
11
+ get incomingActor(): TIncomingActor;
12
+ get remoteCallerData(): TEventMap['incomingCall'];
13
+ get isAvailableIncomingCall(): boolean;
14
+ start(): void;
15
+ stop(): void;
16
+ getIncomingRTCSession: () => RTCSession;
17
+ extractIncomingRTCSession: () => RTCSession;
18
+ declineToIncomingCall({ statusCode, }?: {
19
+ statusCode?: number;
20
+ }): Promise<void>;
21
+ busyIncomingCall(): Promise<void>;
22
+ on<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
23
+ once<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
24
+ onceRace<T extends keyof TEventMap>(eventNames: T[], handler: (data: TEventMap[T], eventName: string) => void): () => void;
25
+ wait<T extends keyof TEventMap>(eventName: T): Promise<TEventMap[T]>;
26
+ off<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): void;
27
+ private subscribe;
28
+ private unsubscribe;
29
+ private readonly handleNewRTCSession;
30
+ private setIncomingSession;
31
+ private removeIncomingSession;
32
+ }
@@ -0,0 +1,53 @@
1
+ import { PresentationStateMachine, TPresentationActor } from './PresentationStateMachine';
2
+ import { CallManager } from '../CallManager';
3
+ import { TEventMap, TEvents } from './events';
4
+ import { TContentHint, TOnAddedTransceiver } from './types';
5
+ export declare const hasCanceledStartPresentationError: (error: unknown) => error is import('repeated-calls').TCanceledError<unknown>;
6
+ declare class PresentationManager {
7
+ readonly events: TEvents;
8
+ readonly presentationStateMachine: PresentationStateMachine;
9
+ promisePendingStartPresentation?: Promise<MediaStream>;
10
+ promisePendingStopPresentation?: Promise<MediaStream | undefined>;
11
+ streamPresentationCurrent?: MediaStream;
12
+ private readonly maxBitrate?;
13
+ private cancelableSendPresentationWithRepeatedCalls;
14
+ private readonly callManager;
15
+ constructor({ callManager, maxBitrate, }: {
16
+ callManager: CallManager;
17
+ maxBitrate?: number;
18
+ });
19
+ get presentationActor(): TPresentationActor;
20
+ get isPendingPresentation(): boolean;
21
+ get isPresentationInProcess(): boolean;
22
+ startPresentation(beforeStartPresentation: () => Promise<void>, stream: MediaStream, { isNeedReinvite, contentHint, sendEncodings, onAddedTransceiver, }?: {
23
+ isNeedReinvite?: boolean;
24
+ contentHint?: TContentHint;
25
+ sendEncodings?: RTCRtpEncodingParameters[];
26
+ onAddedTransceiver?: TOnAddedTransceiver;
27
+ }, options?: {
28
+ callLimit: number;
29
+ }): Promise<MediaStream>;
30
+ stopPresentation(beforeStopPresentation: () => Promise<void>): Promise<MediaStream | undefined>;
31
+ updatePresentation(beforeStartPresentation: () => Promise<void>, stream: MediaStream, { contentHint, sendEncodings, onAddedTransceiver, }?: {
32
+ isP2P?: boolean;
33
+ contentHint?: TContentHint;
34
+ sendEncodings?: RTCRtpEncodingParameters[];
35
+ onAddedTransceiver?: TOnAddedTransceiver;
36
+ }): Promise<MediaStream | undefined>;
37
+ cancelSendPresentationWithRepeatedCalls(): void;
38
+ on<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
39
+ once<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): () => void;
40
+ onceRace<T extends keyof TEventMap>(eventNames: T[], handler: (data: TEventMap[T], eventName: string) => void): () => void;
41
+ wait<T extends keyof TEventMap>(eventName: T): Promise<TEventMap[T]>;
42
+ off<T extends keyof TEventMap>(eventName: T, handler: (data: TEventMap[T]) => void): void;
43
+ private subscribe;
44
+ private sendPresentationWithDuplicatedCalls;
45
+ private sendPresentation;
46
+ private readonly setMaxBitrate;
47
+ private readonly getRtcSessionProtected;
48
+ private readonly handleEnded;
49
+ private reset;
50
+ private resetPresentation;
51
+ private removeStreamPresentationCurrent;
52
+ }
53
+ export default PresentationManager;
@@ -1,6 +1,7 @@
1
1
  import { ApiManager } from '../ApiManager';
2
2
  import { AutoConnectorManager, IAutoConnectorOptions } from '../AutoConnectorManager';
3
3
  import { CallManager, TGetUri } from '../CallManager';
4
+ import { ConferenceStateManager } from '../ConferenceStateManager';
4
5
  import { ConnectionManager } from '../ConnectionManager';
5
6
  import { ConnectionQueueManager } from '../ConnectionQueueManager';
6
7
  import { IncomingCallManager } from '../IncomingCallManager';
@@ -15,6 +16,7 @@ declare class SipConnector {
15
16
  readonly events: TEvents;
16
17
  readonly connectionManager: ConnectionManager;
17
18
  readonly connectionQueueManager: ConnectionQueueManager;
19
+ readonly conferenceStateManager: ConferenceStateManager;
18
20
  readonly callManager: CallManager;
19
21
  readonly autoConnectorManager: AutoConnectorManager;
20
22
  readonly apiManager: ApiManager;
@@ -71,7 +73,10 @@ declare class SipConnector {
71
73
  answerToIncomingCall: (params: Parameters<CallManager["answerToIncomingCall"]>[1]) => Promise<RTCPeerConnection>;
72
74
  declineToIncomingCall: IncomingCallManager['declineToIncomingCall'];
73
75
  getEstablishedRTCSession: CallManager['getEstablishedRTCSession'];
74
- getCallConfiguration: CallManager['getCallConfiguration'];
76
+ getCallConfiguration: () => {
77
+ number: string | undefined;
78
+ answer: boolean | undefined;
79
+ };
75
80
  getRemoteStreams: CallManager['getRemoteStreams'];
76
81
  replaceMediaStream: CallManager['replaceMediaStream'];
77
82
  startPresentation(mediaStream: MediaStream, options?: {
@@ -94,7 +99,7 @@ declare class SipConnector {
94
99
  sendEncodings?: RTCRtpEncodingParameters[];
95
100
  onAddedTransceiver?: TOnAddedTransceiver;
96
101
  }): Promise<MediaStream | undefined>;
97
- waitChannels(...args: Parameters<ApiManager['waitChannels']>): Promise<import('../ApiManager/types').TChannels>;
102
+ waitChannels(...args: Parameters<ApiManager['waitChannels']>): Promise<import('../ApiManager').TChannels>;
98
103
  waitSyncMediaState(...args: Parameters<ApiManager['waitSyncMediaState']>): Promise<{
99
104
  isSyncForced: boolean;
100
105
  }>;
package/dist/doMock.cjs CHANGED
@@ -1 +1 @@
1
- "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const V=require("node:events"),U=require("@krivega/jssip/lib/NameAddrHeader"),j=require("@krivega/jssip/lib/URI"),H=require("@krivega/jssip/lib/SIPMessage"),a=require("@krivega/jssip"),_=require("webrtc-mock"),v=require("events-constructor"),D=require("./@SipConnector-C-73R76v.cjs");class N extends H.IncomingRequest{headers;constructor(e){super(),this.headers=new Headers(e)}getHeader(e){return this.headers.get(e)??""}}const q="incomingCall",G="declinedIncomingCall",x="failedIncomingCall",z="terminatedIncomingCall",y="connecting",Y="connected",B="disconnected",K="newRTCSession",J="registered",$="unregistered",Q="registrationFailed",X="newMessage",Z="sipEvent",ee="availableSecondRemoteStream",te="notAvailableSecondRemoteStream",re="mustStopPresentation",ne="shareState",oe="enterRoom",ie="useLicense",se="peerconnection:confirmed",ae="peerconnection:ontrack",ce="channels",de="channels:notify",Ee="ended:fromserver",he="main-cam-control",ue="admin-stop-main-cam",me="admin-start-main-cam",le="admin-stop-mic",pe="admin-start-mic",ge="admin-force-sync-media-state",_e="participant:added-to-list-moderators",Te="participant:removed-from-list-moderators",Ie="participant:move-request-to-stream",Se="participant:move-request-to-spectators",Ne="participant:move-request-to-participants",we="participation:accepting-word-request",Ce="participation:cancelling-word-request",fe="webcast:started",Re="webcast:stopped",Ae="account:changed",Me="account:deleted",Oe="conference:participant-token-issued",Pe="ended",ve="sending",De="reinvite",ye="replaces",Le="refer",Fe="progress",We="accepted",be="confirmed",ke="peerconnection",Ve="failed",Ue="muted",je="unmuted",He="newDTMF",qe="newInfo",Ge="hold",xe="unhold",ze="update",Ye="sdp",Be="icecandidate",Ke="getusermediafailed",Je="peerconnection:createofferfailed",$e="peerconnection:createanswerfailed",Qe="peerconnection:setlocaldescriptionfailed",Xe="peerconnection:setremotedescriptionfailed",Ze="presentation:start",et="presentation:started",tt="presentation:end",rt="presentation:ended",nt="presentation:failed",ot=[q,G,z,x,we,Ce,Ie,de,Oe,Ae,Me,fe,Re,_e,Te],L=[y,Y,B,K,J,$,Q,X,Z],it=[ee,te,re,ne,oe,ie,se,ae,ce,Ee,he,me,ue,le,pe,ge,Se,Ne],T=[Pe,y,ve,De,ye,Le,Fe,We,be,ke,Ve,Ue,je,He,qe,Ge,xe,ze,Ye,Be,Ke,Je,$e,Qe,Xe,Ze,et,tt,rt,nt];[...L,...ot];[...T,...it];class st{originator;connection;events;remote_identity;mutedOptions={audio:!1,video:!1};constructor({originator:e="local",eventHandlers:t,remoteIdentity:r}){this.originator=e,this.events=new v.Events(T),this.initEvents(t),this.remote_identity=r}get contact(){throw new Error("Method not implemented.")}get direction(){throw new Error("Method not implemented.")}get local_identity(){throw new Error("Method not implemented.")}get start_time(){throw new Error("Method not implemented.")}get end_time(){throw new Error("Method not implemented.")}get status(){throw new Error("Method not implemented.")}get C(){throw new Error("Method not implemented.")}get causes(){throw new Error("Method not implemented.")}get id(){throw new Error("Method not implemented.")}get data(){throw new Error("Method not implemented.")}set data(e){throw new Error("Method not implemented.")}isInProgress(){throw new Error("Method not implemented.")}isEnded(){throw new Error("Method not implemented.")}isReadyToReOffer(){throw new Error("Method not implemented.")}answer(e){throw new Error("Method not implemented.")}terminate(e){throw new Error("Method not implemented.")}async sendInfo(e,t,r){throw new Error("Method not implemented.")}hold(e,t){throw new Error("Method not implemented.")}unhold(e,t){throw new Error("Method not implemented.")}async renegotiate(e,t){throw new Error("Method not implemented.")}isOnHold(){throw new Error("Method not implemented.")}mute(e){throw new Error("Method not implemented.")}unmute(e){throw new Error("Method not implemented.")}isMuted(){throw new Error("Method not implemented.")}refer(e,t){throw new Error("Method not implemented.")}resetLocalMedia(){throw new Error("Method not implemented.")}async replaceMediaStream(e,t){throw new Error("Method not implemented.")}addListener(e,t){throw new Error("Method not implemented.")}once(e,t){throw new Error("Method not implemented.")}removeListener(e,t){throw new Error("Method not implemented.")}off(e,t){return this.events.off(e,t),this}removeAllListeners(e){return console.warn("Method not implemented. Event:",e),this}setMaxListeners(e){throw new Error("Method not implemented.")}getMaxListeners(){throw new Error("Method not implemented.")}listeners(e){throw new Error("Method not implemented.")}rawListeners(e){throw new Error("Method not implemented.")}emit(e,...t){throw new Error("Method not implemented.")}listenerCount(e){throw new Error("Method not implemented.")}prependListener(e,t){throw new Error("Method not implemented.")}prependOnceListener(e,t){throw new Error("Method not implemented.")}eventNames(){throw new Error("Method not implemented.")}initEvents(e){e&&Object.entries(e).forEach(([t,r])=>{this.on(t,r)})}on(e,t){return T.includes(e)&&this.events.on(e,t),this}trigger(e,t){this.events.trigger(e,t)}sendDTMF(){this.trigger("newDTMF",{originator:this.originator})}async startPresentation(e){return this.trigger("presentation:start",e),this.trigger("presentation:started",e),e}async stopPresentation(e){return this.trigger("presentation:end",e),this.trigger("presentation:ended",e),e}isEstablished(){return!0}}class R{stats=new Map().set("codec",{mimeType:"video/h264"});dtmf=null;track=null;transport=null;transform=null;parameters={encodings:[{}],transactionId:"0",codecs:[],headerExtensions:[],rtcp:{}};parametersGets;constructor({track:e}={}){this.track=e??null}async getStats(){return this.stats}async replaceTrack(e){this.track=e??null}async setParameters(e){if(e!==this.parametersGets)throw new Error("Failed to execute 'setParameters' on 'RTCRtpSender': Read-only field modified in setParameters().");const{transactionId:t}=this.parameters;this.parameters={...this.parameters,...e,transactionId:`${Number(t)+1}`}}getParameters(){return this.parametersGets={...this.parameters},this.parametersGets}setStreams(){throw new Error("Method not implemented.")}}class A{currentDirection="sendrecv";direction="sendrecv";mid=null;receiver;sender;stopped=!1;constructor(e){this.sender=e}setCodecPreferences(e){}stop(){}}class at extends EventTarget{senders=[];receivers=[];canTrickleIceCandidates;connectionState;currentLocalDescription;currentRemoteDescription;iceConnectionState;iceGatheringState;idpErrorInfo;idpLoginUrl;localDescription;onconnectionstatechange;ondatachannel;onicecandidate;onicecandidateerror=null;oniceconnectionstatechange;onicegatheringstatechange;onnegotiationneeded;onsignalingstatechange;ontrack;peerIdentity=void 0;pendingLocalDescription;pendingRemoteDescription;remoteDescription;sctp=null;signalingState;close=jest.fn();setLocalDescription=jest.fn(async e=>{});setRemoteDescription=jest.fn(async e=>{});addTransceiver=jest.fn((e,t)=>({}));createOffer=jest.fn(async(e,t,r)=>({type:"offer",sdp:"offer-sdp"}));constructor(e,t){super(),this.receivers=t?.map(r=>({track:r}))??[]}getRemoteStreams(){throw new Error("Method not implemented.")}async addIceCandidate(e){throw new Error("Method not implemented.")}restartIce(){throw new Error("Method not implemented.")}async createAnswer(e,t){throw new Error("Method not implemented.")}createDataChannel(e,t){throw new Error("Method not implemented.")}getConfiguration(){throw new Error("Method not implemented.")}async getIdentityAssertion(){throw new Error("Method not implemented.")}async getStats(e){throw new Error("Method not implemented.")}getTransceivers(){throw new Error("Method not implemented.")}removeTrack(e){throw new Error("Method not implemented.")}setConfiguration(e){throw new Error("Method not implemented.")}getReceivers=()=>this.receivers;getSenders=()=>this.senders;addTrack=(e,...t)=>{const r=new R({track:e}),o=new A(r);return o.mid=e.kind==="audio"?"0":"1",this.senders.push(r),this.dispatchTrackInternal(e,...t),r};addTrackWithMid=(e,t)=>{const r=new R({track:e}),o=new A(r);return t===void 0?o.mid=e.kind==="audio"?"0":"1":o.mid=t,this.senders.push(r),this.dispatchTrackInternal(e),r};dispatchTrack(e){this.dispatchTrackInternal(new _.MediaStreamTrackMock(e))}dispatchTrackInternal(e,...t){const r=new Event("track");Object.defineProperty(r,"track",{value:e}),Object.defineProperty(r,"streams",{value:t.length===0?[new MediaStream([e])]:t}),this.dispatchEvent(r)}}function ct(n){const e=n.match(/(purgatory)|[\d.]+/g);if(!e)throw new Error("wrong sip url");return e[0]}const M=400,F="777",dt=n=>n.getVideoTracks().length>0;class s extends st{static presentationError;static startPresentationError;static countStartPresentationError=Number.POSITIVE_INFINITY;static countStartsPresentation=0;url;status_code;renegotiate=jest.fn(async()=>!0);answer=jest.fn(({mediaStream:e})=>{if(this.originator!=="remote")throw new Error("answer available only for remote sessions");this.initPeerconnection(e),setTimeout(()=>{this.trigger("connecting"),setTimeout(()=>{this.trigger("accepted")},100),setTimeout(()=>{this.trigger("confirmed")},200)},M)});replaceMediaStream=jest.fn(async e=>{});_isReadyToReOffer=jest.fn(()=>!0);addTransceiver=jest.fn((e,t)=>({}));restartIce=jest.fn(async e=>!0);isEndedInner=!1;delayStartPresentation=0;timeoutStartPresentation;timeoutConnect;timeoutNewInfo;timeoutAccepted;timeoutConfirmed;constructor({eventHandlers:e,originator:t,remoteIdentity:r=new a.NameAddrHeader(new a.URI("sip","caller1","test1.com",5060),"Test Caller 1"),delayStartPresentation:o=0}){super({originator:t,eventHandlers:e,remoteIdentity:r}),this.delayStartPresentation=o}static get C(){return a.SessionStatus}static setPresentationError(e){this.presentationError=e}static resetPresentationError(){this.presentationError=void 0}static setStartPresentationError(e,{count:t=Number.POSITIVE_INFINITY}={}){this.startPresentationError=e,this.countStartPresentationError=t}static resetStartPresentationError(){this.startPresentationError=void 0,this.countStartPresentationError=Number.POSITIVE_INFINITY,this.countStartsPresentation=0}startPresentation=async e=>(s.countStartsPresentation+=1,new Promise((t,r)=>{this.timeoutStartPresentation=setTimeout(()=>{if(s.presentationError){this.trigger("presentation:start",e),this.trigger("presentation:failed",e),r(s.presentationError);return}if(s.startPresentationError&&s.countStartsPresentation<s.countStartPresentationError){this.trigger("presentation:start",e),this.trigger("presentation:failed",e),r(s.startPresentationError);return}t(super.startPresentation(e))},this.delayStartPresentation)}));stopPresentation=async e=>{if(s.presentationError)throw this.trigger("presentation:end",e),this.trigger("presentation:failed",e),s.presentationError;return super.stopPresentation(e)};initPeerconnection(e){return e?(this.createPeerconnection(e),!0):!1}createPeerconnection(e){const t=_.createAudioMediaStreamTrackMock();t.id="mainaudio1";const r=[t];if(dt(e)){const c=_.createVideoMediaStreamTrackMock();c.id="mainvideo1",r.push(c)}this.connection=new at(void 0,r),this.trigger("peerconnection",{peerconnection:this.connection}),this.addStream(e)}connect(e,{mediaStream:t}={}){const r=ct(e);return this.initPeerconnection(t),this.timeoutConnect=setTimeout(()=>{e.includes(F)?this.trigger("failed",{originator:"remote",message:"IncomingResponse",cause:"Rejected"}):(this.trigger("connecting"),this.timeoutNewInfo=setTimeout(()=>{this.newInfo({originator:D.Originator.REMOTE,request:{getHeader:o=>o==="content-type"?"application/vinteo.webrtc.roomname":o==="x-webrtc-enter-room"?r:o==="x-webrtc-participant-name"?"Test Caller 1":""}})},100),this.timeoutAccepted=setTimeout(()=>{this.trigger("accepted")},200),this.timeoutConfirmed=setTimeout(()=>{this.trigger("confirmed")},300))},M),this.connection}terminate({status_code:e,cause:t}={}){return this.status_code=e,this.trigger("ended",{status_code:e,cause:t,originator:"local"}),this.isEndedInner=!1,this}async terminateAsync({status_code:e,cause:t}={}){this.terminate({status_code:e,cause:t})}terminateRemote({status_code:e}={}){return this.status_code=e,this.trigger("ended",{status_code:e,originator:"remote"}),this}addStream(e,t="getTracks"){e[t]().forEach(r=>this.connection.addTrack(r,e))}forEachSenders(e){const t=this.connection.getSenders();for(const r of t)e(r);return t}toggleMuteAudio(e){this.forEachSenders(({track:t})=>{t?.kind==="audio"&&(t.enabled=!e)})}toggleMuteVideo(e){this.forEachSenders(({track:t})=>{t?.kind==="video"&&(t.enabled=!e)})}mute(e){e.audio&&(this.mutedOptions.audio=!0,this.toggleMuteAudio(this.mutedOptions.audio)),e.video&&(this.mutedOptions.video=!0,this.toggleMuteVideo(this.mutedOptions.video)),this.onmute(e)}unmute(e){e.audio&&(this.mutedOptions.audio=!1),e.video&&(this.mutedOptions.video=!1),this.trigger("unmuted",e)}isMuted(){return this.mutedOptions}onmute({audio:e,video:t}){this.trigger("muted",{audio:e,video:t})}async sendInfo(){}isEnded(){return this.isEndedInner}newInfo(e){this.trigger("newInfo",e)}clear(){clearTimeout(this.timeoutStartPresentation),clearTimeout(this.timeoutConnect),clearTimeout(this.timeoutNewInfo),clearTimeout(this.timeoutAccepted),clearTimeout(this.timeoutConfirmed)}}class Et{extraHeaders=[];setExtraHeaders(e){this.extraHeaders=e}setExtraContactParams(){}}const d="PASSWORD_CORRECT",I="PASSWORD_CORRECT_2",W="NAME_INCORRECT",h=400,g={url:"wss://sipServerUrl/webrtc/wss/",sip_uri:"sip:sipServerUrl;transport=ws",via_transport:"WSS"},O={status_code:200,reason_phrase:"OK"},P={status_code:401,reason_phrase:"Unauthorized"};class i{static isAvailableTelephony=!0;static startError;static countStartError=Number.POSITIVE_INFINITY;static countStarts=0;events;registratorInner;call=jest.fn((e,t)=>{const{mediaStream:r,eventHandlers:o}=t;return this.session=new s({eventHandlers:o,originator:"local"}),this.session.connect(e,{mediaStream:r}),this.session});sendOptions=jest.fn((e,t,r)=>{console.log("sendOptions",e,t,r)});start=jest.fn(()=>{if(i.countStarts+=1,i.startError&&i.countStarts<i.countStartError){this.trigger("disconnected",i.startError);return}this.register()});stop=jest.fn(()=>{this.startedTimeout&&clearTimeout(this.startedTimeout),this.stopedTimeout&&clearTimeout(this.stopedTimeout),this.unregister(),this.isStarted()?this.stopedTimeout=setTimeout(()=>{this.trigger("disconnected",{error:!0,socket:g})},h):this.trigger("disconnected",{error:!0,socket:g})});removeAllListeners=jest.fn(()=>(this.events.removeEventHandlers(),this));once=jest.fn((e,t)=>(this.events.once(e,t),this));startedTimeout;stopedTimeout;session;isRegisteredInner;isConnectedInner;configuration;constructor(e){this.events=new v.Events(L);const[t,r]=e.uri.split(":"),[o,c]=r.split("@"),p={...e,uri:new a.URI(t,o,c)};this.configuration=p,this.registratorInner=new Et}static setStartError(e,{count:t=Number.POSITIVE_INFINITY}={}){i.startError=e,i.countStartError=t}static resetStartError(){i.startError=void 0,i.countStartError=Number.POSITIVE_INFINITY,i.countStarts=0}static setAvailableTelephony(){i.isAvailableTelephony=!0}static setNotAvailableTelephony(){i.isAvailableTelephony=!1}static reset(){i.resetStartError(),i.setAvailableTelephony()}on(e,t){return this.events.on(e,t),this}off(e,t){return this.events.off(e,t),this}trigger(e,t){this.events.trigger(e,t)}terminateSessions(){this.session?.terminate()}set(e,t){return this.configuration[e]=t,!0}register(){this.startedTimeout&&clearTimeout(this.startedTimeout);const{password:e,register:t,uri:r}=this.configuration;t===!0&&r.user.includes(W)?(this.isRegisteredInner=!1,this.isConnectedInner=!1,this.startedTimeout=setTimeout(()=>{this.trigger("registrationFailed",{response:P,cause:a.C.causes.REJECTED})},h)):!this.isRegistered()&&t===!0&&(e===d||e===I)?(this.isRegisteredInner=!0,this.startedTimeout=setTimeout(()=>{this.trigger("registered",{response:O})},h)):t===!0&&e!==d&&e!==I&&(this.isRegisteredInner=!1,this.isConnectedInner=!1,this.startedTimeout=setTimeout(()=>{this.trigger("registrationFailed",{response:P,cause:a.C.causes.REJECTED})},h)),i.isAvailableTelephony?(this.trigger("connected",{socket:g}),this.isConnectedInner=!0):this.stop()}unregister(){this.isRegisteredInner=!1,this.isConnectedInner=!1,this.trigger("unregistered",{response:O})}isRegistered(){return this.isRegisteredInner===!0}isConnected(){return this.isConnectedInner===!0}isStarted(){return this.configuration.register===!0&&this.isRegisteredInner===!0||this.configuration.register!==!0&&this.isConnectedInner===!0}newSipEvent(e){this.trigger("sipEvent",e)}registrator(){return this.registratorInner}}class ht{url;constructor(e){this.url=e}}class ut extends V.EventEmitter{contentType;body;constructor(e,t){super(),this.contentType=e,this.body=t}}const S="remote",mt=(n,e)=>{const t=new N(e),r={originator:S,request:t,info:new ut("","")};n.newInfo(r)},lt=(n,e)=>{const r={event:"sipEvent",request:new N(e)};n.newSipEvent(r)},pt=(n,{incomingNumber:e="1234",displayName:t,host:r})=>{const o=new s({originator:S,eventHandlers:{}}),c=new j("sip",e,r);o.remote_identity=new U(c,t);const p=new N([]);n.trigger("newRTCSession",{originator:S,session:o,request:p})},gt=(n,e)=>{e?n.trigger("failed",e):n.trigger("failed",n)},w={triggerNewInfo:mt,triggerNewSipEvent:lt,triggerIncomingSession:pt,triggerFailIncomingSession:gt,WebSocketInterface:ht,UA:i,C:{INVITE:"INVITE"}},u="user",E="displayName",m="SIP_SERVER_URL",C="SIP_WEB_SOCKET_SERVER_URL",_t=new w.WebSocketInterface(`wss://${C}/webrtc/wss/`),f={displayName:"DISPLAY_NAME",userAgent:"Chrome",sipServerIp:m,sipServerUrl:C},Tt={...f,displayName:"DISPLAY_NAME",register:!1},b={...f,user:u,password:d,register:!0},It={...b,displayName:E},St={...f,displayName:E,register:!1},l={session_timers:!1,sockets:[_t],user_agent:"Chrome",sdpSemantics:"unified-plan",register_expires:300,connection_recovery_max_interval:6,connection_recovery_min_interval:2},Nt={...l,password:d,uri:new a.URI("sip",u,m),display_name:"DISPLAY_NAME",register:!0},wt={...l,password:d,uri:new a.URI("sip",u,m),display_name:E,register:!0},Ct={...l,display_name:E,register:!1},ft={...l,display_name:"DISPLAY_NAME",register:!1},k="10.10.10.10",Rt=[`X-Vinteo-Remote: ${k}`],At=()=>new D.SipConnector({JsSIP:w});exports.FAILED_CONFERENCE_NUMBER=F;exports.JsSIP=w;exports.NAME_INCORRECT=W;exports.PASSWORD_CORRECT=d;exports.PASSWORD_CORRECT_2=I;exports.SIP_SERVER_URL=m;exports.SIP_WEB_SOCKET_SERVER_URL=C;exports.dataForConnectionWithAuthorization=b;exports.dataForConnectionWithAuthorizationWithDisplayName=It;exports.dataForConnectionWithoutAuthorization=St;exports.dataForConnectionWithoutAuthorizationWithoutDisplayName=Tt;exports.displayName=E;exports.doMockSipConnector=At;exports.extraHeadersRemoteAddress=Rt;exports.remoteAddress=k;exports.uaConfigurationWithAuthorization=Nt;exports.uaConfigurationWithAuthorizationWithDisplayName=wt;exports.uaConfigurationWithoutAuthorization=Ct;exports.uaConfigurationWithoutAuthorizationWithoutDisplayName=ft;exports.user=u;
1
+ "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const V=require("node:events"),U=require("@krivega/jssip/lib/NameAddrHeader"),j=require("@krivega/jssip/lib/URI"),H=require("@krivega/jssip/lib/SIPMessage"),a=require("@krivega/jssip"),_=require("webrtc-mock"),v=require("events-constructor"),D=require("./@SipConnector-DB4bLDI5.cjs");class N extends H.IncomingRequest{headers;constructor(e){super(),this.headers=new Headers(e)}getHeader(e){return this.headers.get(e)??""}}const q="incomingCall",G="declinedIncomingCall",x="failedIncomingCall",z="terminatedIncomingCall",y="connecting",Y="connected",B="disconnected",K="newRTCSession",J="registered",$="unregistered",Q="registrationFailed",X="newMessage",Z="sipEvent",ee="availableSecondRemoteStream",te="notAvailableSecondRemoteStream",re="mustStopPresentation",ne="shareState",oe="enterRoom",ie="useLicense",se="peerconnection:confirmed",ae="peerconnection:ontrack",ce="channels",de="channels:notify",Ee="ended:fromserver",he="main-cam-control",ue="admin-stop-main-cam",me="admin-start-main-cam",le="admin-stop-mic",pe="admin-start-mic",ge="admin-force-sync-media-state",_e="participant:added-to-list-moderators",Te="participant:removed-from-list-moderators",Ie="participant:move-request-to-stream",Se="participant:move-request-to-spectators",Ne="participant:move-request-to-participants",we="participation:accepting-word-request",Ce="participation:cancelling-word-request",fe="webcast:started",Re="webcast:stopped",Ae="account:changed",Me="account:deleted",Oe="conference:participant-token-issued",Pe="ended",ve="sending",De="reinvite",ye="replaces",Le="refer",Fe="progress",We="accepted",be="confirmed",ke="peerconnection",Ve="failed",Ue="muted",je="unmuted",He="newDTMF",qe="newInfo",Ge="hold",xe="unhold",ze="update",Ye="sdp",Be="icecandidate",Ke="getusermediafailed",Je="peerconnection:createofferfailed",$e="peerconnection:createanswerfailed",Qe="peerconnection:setlocaldescriptionfailed",Xe="peerconnection:setremotedescriptionfailed",Ze="presentation:start",et="presentation:started",tt="presentation:end",rt="presentation:ended",nt="presentation:failed",ot=[q,G,z,x,we,Ce,Ie,de,Oe,Ae,Me,fe,Re,_e,Te],L=[y,Y,B,K,J,$,Q,X,Z],it=[ee,te,re,ne,oe,ie,se,ae,ce,Ee,he,me,ue,le,pe,ge,Se,Ne],T=[Pe,y,ve,De,ye,Le,Fe,We,be,ke,Ve,Ue,je,He,qe,Ge,xe,ze,Ye,Be,Ke,Je,$e,Qe,Xe,Ze,et,tt,rt,nt];[...L,...ot];[...T,...it];class st{originator;connection;events;remote_identity;mutedOptions={audio:!1,video:!1};constructor({originator:e="local",eventHandlers:t,remoteIdentity:r}){this.originator=e,this.events=new v.Events(T),this.initEvents(t),this.remote_identity=r}get contact(){throw new Error("Method not implemented.")}get direction(){throw new Error("Method not implemented.")}get local_identity(){throw new Error("Method not implemented.")}get start_time(){throw new Error("Method not implemented.")}get end_time(){throw new Error("Method not implemented.")}get status(){throw new Error("Method not implemented.")}get C(){throw new Error("Method not implemented.")}get causes(){throw new Error("Method not implemented.")}get id(){throw new Error("Method not implemented.")}get data(){throw new Error("Method not implemented.")}set data(e){throw new Error("Method not implemented.")}isInProgress(){throw new Error("Method not implemented.")}isEnded(){throw new Error("Method not implemented.")}isReadyToReOffer(){throw new Error("Method not implemented.")}answer(e){throw new Error("Method not implemented.")}terminate(e){throw new Error("Method not implemented.")}async sendInfo(e,t,r){throw new Error("Method not implemented.")}hold(e,t){throw new Error("Method not implemented.")}unhold(e,t){throw new Error("Method not implemented.")}async renegotiate(e,t){throw new Error("Method not implemented.")}isOnHold(){throw new Error("Method not implemented.")}mute(e){throw new Error("Method not implemented.")}unmute(e){throw new Error("Method not implemented.")}isMuted(){throw new Error("Method not implemented.")}refer(e,t){throw new Error("Method not implemented.")}resetLocalMedia(){throw new Error("Method not implemented.")}async replaceMediaStream(e,t){throw new Error("Method not implemented.")}addListener(e,t){throw new Error("Method not implemented.")}once(e,t){throw new Error("Method not implemented.")}removeListener(e,t){throw new Error("Method not implemented.")}off(e,t){return this.events.off(e,t),this}removeAllListeners(e){return console.warn("Method not implemented. Event:",e),this}setMaxListeners(e){throw new Error("Method not implemented.")}getMaxListeners(){throw new Error("Method not implemented.")}listeners(e){throw new Error("Method not implemented.")}rawListeners(e){throw new Error("Method not implemented.")}emit(e,...t){throw new Error("Method not implemented.")}listenerCount(e){throw new Error("Method not implemented.")}prependListener(e,t){throw new Error("Method not implemented.")}prependOnceListener(e,t){throw new Error("Method not implemented.")}eventNames(){throw new Error("Method not implemented.")}initEvents(e){e&&Object.entries(e).forEach(([t,r])=>{this.on(t,r)})}on(e,t){return T.includes(e)&&this.events.on(e,t),this}trigger(e,t){this.events.trigger(e,t)}sendDTMF(){this.trigger("newDTMF",{originator:this.originator})}async startPresentation(e){return this.trigger("presentation:start",e),this.trigger("presentation:started",e),e}async stopPresentation(e){return this.trigger("presentation:end",e),this.trigger("presentation:ended",e),e}isEstablished(){return!0}}class R{stats=new Map().set("codec",{mimeType:"video/h264"});dtmf=null;track=null;transport=null;transform=null;parameters={encodings:[{}],transactionId:"0",codecs:[],headerExtensions:[],rtcp:{}};parametersGets;constructor({track:e}={}){this.track=e??null}async getStats(){return this.stats}async replaceTrack(e){this.track=e??null}async setParameters(e){if(e!==this.parametersGets)throw new Error("Failed to execute 'setParameters' on 'RTCRtpSender': Read-only field modified in setParameters().");const{transactionId:t}=this.parameters;this.parameters={...this.parameters,...e,transactionId:`${Number(t)+1}`}}getParameters(){return this.parametersGets={...this.parameters},this.parametersGets}setStreams(){throw new Error("Method not implemented.")}}class A{currentDirection="sendrecv";direction="sendrecv";mid=null;receiver;sender;stopped=!1;constructor(e){this.sender=e}setCodecPreferences(e){}stop(){}}class at extends EventTarget{senders=[];receivers=[];canTrickleIceCandidates;connectionState;currentLocalDescription;currentRemoteDescription;iceConnectionState;iceGatheringState;idpErrorInfo;idpLoginUrl;localDescription;onconnectionstatechange;ondatachannel;onicecandidate;onicecandidateerror=null;oniceconnectionstatechange;onicegatheringstatechange;onnegotiationneeded;onsignalingstatechange;ontrack;peerIdentity=void 0;pendingLocalDescription;pendingRemoteDescription;remoteDescription;sctp=null;signalingState;close=jest.fn();setLocalDescription=jest.fn(async e=>{});setRemoteDescription=jest.fn(async e=>{});addTransceiver=jest.fn((e,t)=>({}));createOffer=jest.fn(async(e,t,r)=>({type:"offer",sdp:"offer-sdp"}));constructor(e,t){super(),this.receivers=t?.map(r=>({track:r}))??[]}getRemoteStreams(){throw new Error("Method not implemented.")}async addIceCandidate(e){throw new Error("Method not implemented.")}restartIce(){throw new Error("Method not implemented.")}async createAnswer(e,t){throw new Error("Method not implemented.")}createDataChannel(e,t){throw new Error("Method not implemented.")}getConfiguration(){throw new Error("Method not implemented.")}async getIdentityAssertion(){throw new Error("Method not implemented.")}async getStats(e){throw new Error("Method not implemented.")}getTransceivers(){throw new Error("Method not implemented.")}removeTrack(e){throw new Error("Method not implemented.")}setConfiguration(e){throw new Error("Method not implemented.")}getReceivers=()=>this.receivers;getSenders=()=>this.senders;addTrack=(e,...t)=>{const r=new R({track:e}),o=new A(r);return o.mid=e.kind==="audio"?"0":"1",this.senders.push(r),this.dispatchTrackInternal(e,...t),r};addTrackWithMid=(e,t)=>{const r=new R({track:e}),o=new A(r);return t===void 0?o.mid=e.kind==="audio"?"0":"1":o.mid=t,this.senders.push(r),this.dispatchTrackInternal(e),r};dispatchTrack(e){this.dispatchTrackInternal(new _.MediaStreamTrackMock(e))}dispatchTrackInternal(e,...t){const r=new Event("track");Object.defineProperty(r,"track",{value:e}),Object.defineProperty(r,"streams",{value:t.length===0?[new MediaStream([e])]:t}),this.dispatchEvent(r)}}function ct(n){const e=n.match(/(purgatory)|[\d.]+/g);if(!e)throw new Error("wrong sip url");return e[0]}const M=400,F="777",dt=n=>n.getVideoTracks().length>0;class s extends st{static presentationError;static startPresentationError;static countStartPresentationError=Number.POSITIVE_INFINITY;static countStartsPresentation=0;url;status_code;renegotiate=jest.fn(async()=>!0);answer=jest.fn(({mediaStream:e})=>{if(this.originator!=="remote")throw new Error("answer available only for remote sessions");this.initPeerconnection(e),setTimeout(()=>{this.trigger("connecting"),setTimeout(()=>{this.trigger("accepted")},100),setTimeout(()=>{this.trigger("confirmed")},200)},M)});replaceMediaStream=jest.fn(async e=>{});_isReadyToReOffer=jest.fn(()=>!0);addTransceiver=jest.fn((e,t)=>({}));restartIce=jest.fn(async e=>!0);isEndedInner=!1;delayStartPresentation=0;timeoutStartPresentation;timeoutConnect;timeoutNewInfo;timeoutAccepted;timeoutConfirmed;constructor({eventHandlers:e,originator:t,remoteIdentity:r=new a.NameAddrHeader(new a.URI("sip","caller1","test1.com",5060),"Test Caller 1"),delayStartPresentation:o=0}){super({originator:t,eventHandlers:e,remoteIdentity:r}),this.delayStartPresentation=o}static get C(){return a.SessionStatus}static setPresentationError(e){this.presentationError=e}static resetPresentationError(){this.presentationError=void 0}static setStartPresentationError(e,{count:t=Number.POSITIVE_INFINITY}={}){this.startPresentationError=e,this.countStartPresentationError=t}static resetStartPresentationError(){this.startPresentationError=void 0,this.countStartPresentationError=Number.POSITIVE_INFINITY,this.countStartsPresentation=0}startPresentation=async e=>(s.countStartsPresentation+=1,new Promise((t,r)=>{this.timeoutStartPresentation=setTimeout(()=>{if(s.presentationError){this.trigger("presentation:start",e),this.trigger("presentation:failed",e),r(s.presentationError);return}if(s.startPresentationError&&s.countStartsPresentation<s.countStartPresentationError){this.trigger("presentation:start",e),this.trigger("presentation:failed",e),r(s.startPresentationError);return}t(super.startPresentation(e))},this.delayStartPresentation)}));stopPresentation=async e=>{if(s.presentationError)throw this.trigger("presentation:end",e),this.trigger("presentation:failed",e),s.presentationError;return super.stopPresentation(e)};initPeerconnection(e){return e?(this.createPeerconnection(e),!0):!1}createPeerconnection(e){const t=_.createAudioMediaStreamTrackMock();t.id="mainaudio1";const r=[t];if(dt(e)){const c=_.createVideoMediaStreamTrackMock();c.id="mainvideo1",r.push(c)}this.connection=new at(void 0,r),this.trigger("peerconnection",{peerconnection:this.connection}),this.addStream(e)}connect(e,{mediaStream:t}={}){const r=ct(e);return this.initPeerconnection(t),this.timeoutConnect=setTimeout(()=>{e.includes(F)?this.trigger("failed",{originator:"remote",message:"IncomingResponse",cause:"Rejected"}):(this.trigger("connecting"),this.timeoutNewInfo=setTimeout(()=>{this.newInfo({originator:D.Originator.REMOTE,request:{getHeader:o=>o==="content-type"?"application/vinteo.webrtc.roomname":o==="x-webrtc-enter-room"?r:o==="x-webrtc-participant-name"?"Test Caller 1":""}})},100),this.timeoutAccepted=setTimeout(()=>{this.trigger("accepted")},200),this.timeoutConfirmed=setTimeout(()=>{this.trigger("confirmed")},300))},M),this.connection}terminate({status_code:e,cause:t}={}){return this.status_code=e,this.trigger("ended",{status_code:e,cause:t,originator:"local"}),this.isEndedInner=!1,this}async terminateAsync({status_code:e,cause:t}={}){this.terminate({status_code:e,cause:t})}terminateRemote({status_code:e}={}){return this.status_code=e,this.trigger("ended",{status_code:e,originator:"remote"}),this}addStream(e,t="getTracks"){e[t]().forEach(r=>this.connection.addTrack(r,e))}forEachSenders(e){const t=this.connection.getSenders();for(const r of t)e(r);return t}toggleMuteAudio(e){this.forEachSenders(({track:t})=>{t?.kind==="audio"&&(t.enabled=!e)})}toggleMuteVideo(e){this.forEachSenders(({track:t})=>{t?.kind==="video"&&(t.enabled=!e)})}mute(e){e.audio&&(this.mutedOptions.audio=!0,this.toggleMuteAudio(this.mutedOptions.audio)),e.video&&(this.mutedOptions.video=!0,this.toggleMuteVideo(this.mutedOptions.video)),this.onmute(e)}unmute(e){e.audio&&(this.mutedOptions.audio=!1),e.video&&(this.mutedOptions.video=!1),this.trigger("unmuted",e)}isMuted(){return this.mutedOptions}onmute({audio:e,video:t}){this.trigger("muted",{audio:e,video:t})}async sendInfo(){}isEnded(){return this.isEndedInner}newInfo(e){this.trigger("newInfo",e)}clear(){clearTimeout(this.timeoutStartPresentation),clearTimeout(this.timeoutConnect),clearTimeout(this.timeoutNewInfo),clearTimeout(this.timeoutAccepted),clearTimeout(this.timeoutConfirmed)}}class Et{extraHeaders=[];setExtraHeaders(e){this.extraHeaders=e}setExtraContactParams(){}}const d="PASSWORD_CORRECT",I="PASSWORD_CORRECT_2",W="NAME_INCORRECT",h=400,g={url:"wss://sipServerUrl/webrtc/wss/",sip_uri:"sip:sipServerUrl;transport=ws",via_transport:"WSS"},O={status_code:200,reason_phrase:"OK"},P={status_code:401,reason_phrase:"Unauthorized"};class i{static isAvailableTelephony=!0;static startError;static countStartError=Number.POSITIVE_INFINITY;static countStarts=0;events;registratorInner;call=jest.fn((e,t)=>{const{mediaStream:r,eventHandlers:o}=t;return this.session=new s({eventHandlers:o,originator:"local"}),this.session.connect(e,{mediaStream:r}),this.session});sendOptions=jest.fn((e,t,r)=>{console.log("sendOptions",e,t,r)});start=jest.fn(()=>{if(i.countStarts+=1,i.startError&&i.countStarts<i.countStartError){this.trigger("disconnected",i.startError);return}this.register()});stop=jest.fn(()=>{this.startedTimeout&&clearTimeout(this.startedTimeout),this.stopedTimeout&&clearTimeout(this.stopedTimeout),this.unregister(),this.isStarted()?this.stopedTimeout=setTimeout(()=>{this.trigger("disconnected",{error:!0,socket:g})},h):this.trigger("disconnected",{error:!0,socket:g})});removeAllListeners=jest.fn(()=>(this.events.removeEventHandlers(),this));once=jest.fn((e,t)=>(this.events.once(e,t),this));startedTimeout;stopedTimeout;session;isRegisteredInner;isConnectedInner;configuration;constructor(e){this.events=new v.Events(L);const[t,r]=e.uri.split(":"),[o,c]=r.split("@"),p={...e,uri:new a.URI(t,o,c)};this.configuration=p,this.registratorInner=new Et}static setStartError(e,{count:t=Number.POSITIVE_INFINITY}={}){i.startError=e,i.countStartError=t}static resetStartError(){i.startError=void 0,i.countStartError=Number.POSITIVE_INFINITY,i.countStarts=0}static setAvailableTelephony(){i.isAvailableTelephony=!0}static setNotAvailableTelephony(){i.isAvailableTelephony=!1}static reset(){i.resetStartError(),i.setAvailableTelephony()}on(e,t){return this.events.on(e,t),this}off(e,t){return this.events.off(e,t),this}trigger(e,t){this.events.trigger(e,t)}terminateSessions(){this.session?.terminate()}set(e,t){return this.configuration[e]=t,!0}register(){this.startedTimeout&&clearTimeout(this.startedTimeout);const{password:e,register:t,uri:r}=this.configuration;t===!0&&r.user.includes(W)?(this.isRegisteredInner=!1,this.isConnectedInner=!1,this.startedTimeout=setTimeout(()=>{this.trigger("registrationFailed",{response:P,cause:a.C.causes.REJECTED})},h)):!this.isRegistered()&&t===!0&&(e===d||e===I)?(this.isRegisteredInner=!0,this.startedTimeout=setTimeout(()=>{this.trigger("registered",{response:O})},h)):t===!0&&e!==d&&e!==I&&(this.isRegisteredInner=!1,this.isConnectedInner=!1,this.startedTimeout=setTimeout(()=>{this.trigger("registrationFailed",{response:P,cause:a.C.causes.REJECTED})},h)),i.isAvailableTelephony?(this.trigger("connected",{socket:g}),this.isConnectedInner=!0):this.stop()}unregister(){this.isRegisteredInner=!1,this.isConnectedInner=!1,this.trigger("unregistered",{response:O})}isRegistered(){return this.isRegisteredInner===!0}isConnected(){return this.isConnectedInner===!0}isStarted(){return this.configuration.register===!0&&this.isRegisteredInner===!0||this.configuration.register!==!0&&this.isConnectedInner===!0}newSipEvent(e){this.trigger("sipEvent",e)}registrator(){return this.registratorInner}}class ht{url;constructor(e){this.url=e}}class ut extends V.EventEmitter{contentType;body;constructor(e,t){super(),this.contentType=e,this.body=t}}const S="remote",mt=(n,e)=>{const t=new N(e),r={originator:S,request:t,info:new ut("","")};n.newInfo(r)},lt=(n,e)=>{const r={event:"sipEvent",request:new N(e)};n.newSipEvent(r)},pt=(n,{incomingNumber:e="1234",displayName:t,host:r})=>{const o=new s({originator:S,eventHandlers:{}}),c=new j("sip",e,r);o.remote_identity=new U(c,t);const p=new N([]);n.trigger("newRTCSession",{originator:S,session:o,request:p})},gt=(n,e)=>{e?n.trigger("failed",e):n.trigger("failed",n)},w={triggerNewInfo:mt,triggerNewSipEvent:lt,triggerIncomingSession:pt,triggerFailIncomingSession:gt,WebSocketInterface:ht,UA:i,C:{INVITE:"INVITE"}},u="user",E="displayName",m="SIP_SERVER_URL",C="SIP_WEB_SOCKET_SERVER_URL",_t=new w.WebSocketInterface(`wss://${C}/webrtc/wss/`),f={displayName:"DISPLAY_NAME",userAgent:"Chrome",sipServerIp:m,sipServerUrl:C},Tt={...f,displayName:"DISPLAY_NAME",register:!1},b={...f,user:u,password:d,register:!0},It={...b,displayName:E},St={...f,displayName:E,register:!1},l={session_timers:!1,sockets:[_t],user_agent:"Chrome",sdpSemantics:"unified-plan",register_expires:300,connection_recovery_max_interval:6,connection_recovery_min_interval:2},Nt={...l,password:d,uri:new a.URI("sip",u,m),display_name:"DISPLAY_NAME",register:!0},wt={...l,password:d,uri:new a.URI("sip",u,m),display_name:E,register:!0},Ct={...l,display_name:E,register:!1},ft={...l,display_name:"DISPLAY_NAME",register:!1},k="10.10.10.10",Rt=[`X-Vinteo-Remote: ${k}`],At=()=>new D.SipConnector({JsSIP:w});exports.FAILED_CONFERENCE_NUMBER=F;exports.JsSIP=w;exports.NAME_INCORRECT=W;exports.PASSWORD_CORRECT=d;exports.PASSWORD_CORRECT_2=I;exports.SIP_SERVER_URL=m;exports.SIP_WEB_SOCKET_SERVER_URL=C;exports.dataForConnectionWithAuthorization=b;exports.dataForConnectionWithAuthorizationWithDisplayName=It;exports.dataForConnectionWithoutAuthorization=St;exports.dataForConnectionWithoutAuthorizationWithoutDisplayName=Tt;exports.displayName=E;exports.doMockSipConnector=At;exports.extraHeadersRemoteAddress=Rt;exports.remoteAddress=k;exports.uaConfigurationWithAuthorization=Nt;exports.uaConfigurationWithAuthorizationWithDisplayName=wt;exports.uaConfigurationWithoutAuthorization=Ct;exports.uaConfigurationWithoutAuthorizationWithoutDisplayName=ft;exports.user=u;
package/dist/doMock.js CHANGED
@@ -5,7 +5,7 @@ import { IncomingRequest as b } from "@krivega/jssip/lib/SIPMessage";
5
5
  import { NameAddrHeader as V, URI as E, SessionStatus as W, C as N } from "@krivega/jssip";
6
6
  import { MediaStreamTrackMock as j, createAudioMediaStreamTrackMock as U, createVideoMediaStreamTrackMock as G } from "webrtc-mock";
7
7
  import { Events as O } from "events-constructor";
8
- import { O as H, S as x } from "./@SipConnector-D4SHRHKj.js";
8
+ import { O as H, S as x } from "./@SipConnector-FYEV5h4G.js";
9
9
  class T extends b {
10
10
  headers;
11
11
  constructor(e) {
package/dist/index.cjs CHANGED
@@ -1 +1 @@
1
- "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const t=require("./@SipConnector-C-73R76v.cjs");require("events-constructor");const k=require("@krivega/cancelable-promise"),q=require("repeated-calls"),W=require("ts-debounce"),H=require("ua-parser-js"),j=require("sequent-promises"),K=require("stack-promises"),X=e=>e instanceof Object&&("originator"in e||"cause"in e),Y=e=>{if(k.isCanceledError(e))return!0;if(!X(e))return!1;const{originator:n,cause:o}=e;return typeof o=="string"?o===t.ECallCause.REQUEST_TIMEOUT||o===t.ECallCause.REJECTED||n==="local"&&(o===t.ECallCause.CANCELED||o===t.ECallCause.BYE):!1},G=e=>e.connection.value,L=e=>e.call.value,J=e=>e.incoming.value,z=e=>{if(e.incoming.value!==t.EState$1.IDLE)return e.incoming.context.remoteCallerData},Q=e=>e.presentation.value,Z=e=>{const n=L(e);return n===t.EState.IN_CALL||n===t.EState.ACCEPTED},ee={selectConnectionStatus:G,selectCallStatus:L,selectIncomingStatus:J,selectIncomingRemoteCaller:z,selectPresentationStatus:Q,selectIsInCall:Z},ne=()=>globalThis.process?.versions?.electron!==void 0,V=()=>{const e=new H.UAParser,{name:n}=e.getBrowser(),o=ne();return{isChrome:n==="Chrome"||o}},M=e=>{const{url:n,cause:o}=e;let r=n;return(o===t.ECallCause.BAD_MEDIA_DESCRIPTION||o===t.ECallCause.NOT_FOUND)&&(r=`${e.message.to.uri.user}@${e.message.to.uri.host}`),r};var x=(e=>(e.CONNECT_SERVER_FAILED="CONNECT_SERVER_FAILED",e.WRONG_USER_OR_PASSWORD="WRONG_USER_OR_PASSWORD",e.BAD_MEDIA_ERROR="BAD_MEDIA_ERROR",e.NOT_FOUND_ERROR="NOT_FOUND_ERROR",e.WS_CONNECTION_FAILED="WS_CONNECTION_FAILED",e.CONNECT_SERVER_FAILED_BY_LINK="CONNECT_SERVER_FAILED_BY_LINK",e))(x||{});const te=new Error("Unknown error"),oe=(e=te)=>{const{cause:n,socket:o}=e;let r="CONNECT_SERVER_FAILED";switch(n){case"Forbidden":{r="WRONG_USER_OR_PASSWORD";break}case t.ECallCause.BAD_MEDIA_DESCRIPTION:{r="BAD_MEDIA_ERROR";break}case t.ECallCause.NOT_FOUND:{r="NOT_FOUND_ERROR";break}default:o!==void 0&&o._ws?.readyState===3?r="WS_CONNECTION_FAILED":M(e)!==void 0&&M(e)!==""&&(r="CONNECT_SERVER_FAILED_BY_LINK")}return r},re=e=>{let n="";try{n=JSON.stringify(e)}catch(o){t.logger("failed to stringify message",o)}return n},se=new Error("Unknown error"),ae=(e=se)=>{const{code:n,cause:o,message:r}=e,a=M(e),s={code:"",cause:"",message:""};return typeof r=="object"&&r!==null?s.message=re(r):r&&(s.message=String(r)),a!==void 0&&a!==""&&(s.link=a),n!==void 0&&n!==""&&(s.code=n),o!==void 0&&o!==""&&(s.cause=o),s},ce=Object.freeze(Object.defineProperty({__proto__:null,EErrorTypes:x,getLinkError:M,getTypeFromError:oe,getValuesFromError:ae},Symbol.toStringTag,{value:"Module"})),ie=({sessionId:e,remoteAddress:n,isMutedAudio:o,isMutedVideo:r,isRegistered:a,isPresentationCall:s})=>{const c=[],l=o?"0":"1",g=r?"0":"1";return c.push(`X-Vinteo-Mic-State: ${l}`,`X-Vinteo-MainCam-State: ${g}`),(a===!1||a===void 0)&&c.push("X-Vinteo-Purgatory-Call: yes"),e!==void 0&&e!==""&&c.push(`X-Vinteo-Session: ${e}`),s===!0&&c.push("X-Vinteo-Presentation-Call: yes"),n!==void 0&&n!==""&&c.push(`X-Vinteo-Remote: ${n}`),c},le="[@*!|]",ue="_",ge=e=>{let n=e;return n=n.replaceAll(new RegExp(le,"g"),ue),n},Ce=({appName:e,appVersion:n,browserName:o,browserVersion:r})=>{const s=`${ge(e)} ${n}`;return`ChromeNew - ${o===void 0?s:`${o} ${r}, ${s}`}`},de=({isUnifiedSdpSemantic:e,appVersion:n,browserName:o,browserVersion:r,appName:a})=>e?Ce({appVersion:n,browserName:o,browserVersion:r,appName:a}):"Chrome",$="purgatory",y=e=>e===$,Se=e=>n=>[...n].map(r=>async()=>e(r)),fe=async({accumulatedKeys:e,sendKey:n,canRunTask:o})=>{const a=Se(n)(e);return j.sequentPromises(a,o)},me=e=>o=>(t.logger("onStartMainCam"),e.on("api:admin-start-main-cam",o)),Ee=e=>o=>(t.logger("onStartMic"),e.on("api:admin-start-mic",o)),pe=e=>o=>(t.logger("onStopMainCam"),e.on("api:admin-stop-main-cam",o)),he=e=>o=>(t.logger("onStopMic"),e.on("api:admin-stop-mic",o)),Re=({sipConnector:e})=>{const n=(u,C)=>({isSyncForced:d})=>{if(d===!0){u();return}C()},o=me(e),r=pe(e),a=Ee(e),s=he(e);let c,l,g,E;const b=({onStartMainCamForced:u,onStartMainCamNotForced:C,onStopMainCamForced:d,onStopMainCamNotForced:h,onStartMicForced:R,onStartMicNotForced:T,onStopMicForced:O,onStopMicNotForced:_})=>{const S=n(u,C);c=o(S);const f=n(d,h);l=r(f);const A=n(R,T);g=a(A);const m=n(O,_);E=s(m)},P=()=>{c?.(),l?.(),g?.(),E?.()};return{start:u=>{b(u)},stop:()=>{P()}}},be=Object.freeze(Object.defineProperty({__proto__:null,PURGATORY_CONFERENCE_NUMBER:$,createSyncMediaState:Re,createUaParser:V,error:ce,getExtraHeaders:ie,getUserAgent:de,hasPurgatory:y,prepareMediaStream:t.prepareMediaStream,sendDtmfAccumulated:fe,sendOffer:t.sendOffer,setEncodingsToSender:t.setEncodingsToSender,setParametersToSender:t.setParametersToSender},Symbol.toStringTag,{value:"Module"})),Pe=()=>V().isChrome,ve=e=>{if(!k.isCanceledError(e)&&!q.hasCanceledError(e)&&!t.hasNotReadyForConnectionError(e))throw e;return{configuration:void 0,isSuccessful:!1}},Te=({kind:e,readyState:n})=>e==="video"&&n==="live",I=(e,n,{onEnterPurgatory:o,onEnterConference:r})=>{y(e)?o&&o():r&&r({isSuccessProgressCall:n})},w=(e,n)=>{e(),n&&n()},U=(e,n,o)=>{throw e&&e(),n(),o},Oe=new Set(["on","once","onceRace","wait","off","sendDTMF","hangUp","declineToIncomingCall","sendChannels","checkTelephony","waitChannels","ping","startAutoConnect","stopAutoConnect","connection","isConfigured","isRegistered"]);class _e{on;once;onceRace;wait;off;sendDTMF;hangUp;declineToIncomingCall;sendChannels;checkTelephony;waitChannels;ping;startAutoConnect;stopAutoConnect;connection;isConfigured;isRegistered;sipConnector;constructor(n){return this.sipConnector=n,new Proxy(this,{get:(o,r,a)=>{if(typeof r=="string"&&Oe.has(r)&&r in this.sipConnector){const c=Reflect.get(this.sipConnector,r,this.sipConnector);return typeof c=="function"?c.bind(this.sipConnector):c}const s=Reflect.get(o,r,a);return typeof s=="function"?s.bind(o):s}})}connectToServer=async(n,o)=>this.sipConnector.connect(n,o).then(r=>(t.logger("connectToServer then"),{configuration:r,isSuccessful:!0})).catch(async r=>(t.logger("connectToServer catch: error",r),ve(r)));callToServer=async n=>{const{conference:o,mediaStream:r,extraHeaders:a,iceServers:s,contentHint:c,degradationPreference:l,sendEncodings:g,offerToReceiveAudio:E,offerToReceiveVideo:b,directionVideo:P,directionAudio:v,onBeforeProgressCall:p,onSuccessProgressCall:u,onEnterPurgatory:C,onEnterConference:d,onFailProgressCall:h,onFinishProgressCall:R,onEndedCall:T,onAddedTransceiver:O}=n;t.logger("callToServer",n);const _=async()=>(t.logger("startCall"),this.sipConnector.call({mediaStream:r,extraHeaders:a,iceServers:s,contentHint:c,offerToReceiveAudio:E,offerToReceiveVideo:b,directionVideo:P,directionAudio:v,degradationPreference:l,onAddedTransceiver:O,sendEncodings:g,number:o}));let S=!1,f;const m=(t.logger("subscribeEnterConference: onEnterConference",d),this.sipConnector.on("api:enterRoom",({room:i})=>{t.logger("enterRoom",{_room:i,isSuccessProgressCall:S}),f=i,(C??d)&&I(f,S,{onEnterPurgatory:C,onEnterConference:d})})),N=i=>(t.logger("onSuccess"),S=!0,u&&u({isPurgatory:y(f)}),this.sipConnector.onceRace(["call:ended","call:failed"],()=>{w(m,T)}),i),D=i=>(t.logger("onFail"),U(h,m,i)),F=()=>{t.logger("onFinish"),R&&R()};return t.logger("onBeforeProgressCall"),p&&p(o),_().then(N).catch(i=>D(i)).finally(F)};disconnectFromServer=async()=>this.sipConnector.disconnect().then(()=>(t.logger("disconnectFromServer: then"),{isSuccessful:!0})).catch(n=>(t.logger("disconnectFromServer: catch",n),{isSuccessful:!1}));answerToIncomingCall=async n=>{const{mediaStream:o,extraHeaders:r,iceServers:a,contentHint:s,degradationPreference:c,sendEncodings:l,offerToReceiveAudio:g,offerToReceiveVideo:E,directionVideo:b,directionAudio:P,onBeforeProgressCall:v,onSuccessProgressCall:p,onEnterPurgatory:u,onEnterConference:C,onFailProgressCall:d,onFinishProgressCall:h,onEndedCall:R,onAddedTransceiver:T}=n;t.logger("answerToIncomingCall",n);const O=async()=>this.sipConnector.answerToIncomingCall({mediaStream:o,extraHeaders:r,iceServers:a,contentHint:s,offerToReceiveAudio:g,offerToReceiveVideo:E,directionVideo:b,directionAudio:P,degradationPreference:c,onAddedTransceiver:T,sendEncodings:l}),_=()=>{const{remoteCallerData:i}=this.sipConnector;return i.incomingNumber};let S=!1,f;const m=(t.logger("subscribeEnterConference: onEnterConference",C),this.sipConnector.on("api:enterRoom",i=>{t.logger("enterRoom",{room:i.room,isSuccessProgressCall:S}),f=i.room,(u??C)&&I(f,S,{onEnterPurgatory:u,onEnterConference:C})})),N=i=>(t.logger("onSuccess"),S=!0,p&&p({isPurgatory:y(f)}),this.sipConnector.onceRace(["call:ended","call:failed"],()=>{w(m,R)}),i),D=i=>(t.logger("onFail"),U(d,m,i)),F=()=>{t.logger("onFinish"),h&&h()};if(t.logger("onBeforeProgressCall"),v){const i=_();v(i)}return O().then(N).catch(i=>D(i)).finally(F)};updatePresentation=async({mediaStream:n,isP2P:o,contentHint:r,degradationPreference:a,sendEncodings:s,onAddedTransceiver:c})=>(t.logger("updatePresentation"),this.sipConnector.updatePresentation(n,{isP2P:o,contentHint:r,degradationPreference:a,onAddedTransceiver:c,sendEncodings:s}));startPresentation=async({mediaStream:n,isP2P:o,contentHint:r,degradationPreference:a,sendEncodings:s,callLimit:c,onAddedTransceiver:l})=>(t.logger("startPresentation"),this.sipConnector.startPresentation(n,{isP2P:o,contentHint:r,callLimit:c,degradationPreference:a,onAddedTransceiver:l,sendEncodings:s}));stopShareSipConnector=async({isP2P:n=!1}={})=>(t.logger("stopShareSipConnector"),this.sipConnector.stopPresentation({isP2P:n}).catch(o=>{t.logger(o)}));sendRefusalToTurnOnMic=async()=>{t.logger("sendRefusalToTurnOnMic"),await this.sipConnector.sendRefusalToTurnOnMic().catch(n=>{t.logger("sendRefusalToTurnOnMic: error",n)})};sendRefusalToTurnOnCam=async()=>{t.logger("sendRefusalToTurnOnCam"),await this.sipConnector.sendRefusalToTurnOnCam().catch(n=>{t.logger("sendRefusalToTurnOnCam: error",n)})};sendMediaState=async({isEnabledCam:n,isEnabledMic:o})=>{t.logger("sendMediaState"),await this.sipConnector.sendMediaState({cam:n,mic:o})};replaceMediaStream=async(n,{deleteExisting:o,addMissing:r,forceRenegotiation:a,contentHint:s,degradationPreference:c,sendEncodings:l,onAddedTransceiver:g})=>(t.logger("replaceMediaStream"),this.sipConnector.replaceMediaStream(n,{deleteExisting:o,addMissing:r,forceRenegotiation:a,contentHint:s,degradationPreference:c,onAddedTransceiver:g,sendEncodings:l}));askPermissionToEnableCam=async()=>{t.logger("askPermissionToEnableCam"),await this.sipConnector.askPermissionToEnableCam()};resolveHandleReadyRemoteStreamsDebounced=({onReadyRemoteStreams:n})=>W.debounce(()=>{const o=this.sipConnector.getRemoteStreams();t.logger("remoteStreams",o),n(o)},200);resolveHandleReadyRemoteStreams=({onReadyRemoteStreams:n})=>({track:o})=>{Te(o)&&n()};getRemoteStreams=()=>(t.logger("getRemoteStreams"),this.sipConnector.getRemoteStreams());onUseLicense=n=>(t.logger("onUseLicense"),this.sipConnector.on("api:useLicense",n));onMustStopPresentation=n=>(t.logger("onMustStopPresentation"),this.sipConnector.on("api:mustStopPresentation",n));onMoveToSpectators=n=>(t.logger("onMoveToSpectators"),this.sipConnector.on("api:participant:move-request-to-spectators",n));onMoveToParticipants=n=>(t.logger("onMoveToParticipants"),this.sipConnector.on("api:participant:move-request-to-participants",n));onStats=n=>(t.logger("onStats"),this.sipConnector.on("stats:collected",n));offStats=n=>{t.logger("offStats"),this.sipConnector.off("stats:collected",n)}}var B=(e=>(e.VP8="video/VP8",e.VP9="video/VP9",e.H264="video/H264",e.AV1="video/AV1",e.rtx="video/rtx",e.red="video/red",e.flexfec03="video/flexfec-03",e))(B||{});exports.ECallCause=t.ECallCause;exports.ECallStatus=t.EState;exports.EConnectionStatus=t.EState$2;exports.EIncomingStatus=t.EState$1;exports.EPresentationStatus=t.EState$3;exports.EStatsTypes=t.EStatsTypes;exports.EUseLicense=t.EUseLicense;exports.SipConnector=t.SipConnector;exports.StatsPeerConnection=t.StatsPeerConnection;exports.disableDebug=t.disableDebug;exports.enableDebug=t.enableDebug;exports.getCodecFromSender=t.getCodecFromSender;exports.hasCanceledStartPresentationError=t.hasCanceledStartPresentationError;Object.defineProperty(exports,"hasConnectionPromiseIsNotActualError",{enumerable:!0,get:()=>K.isPromiseIsNotActualError});exports.EMimeTypesVideoCodecs=B;exports.SipConnectorFacade=_e;exports.hasAvailableStats=Pe;exports.hasCanceledCallError=Y;exports.sessionSelectors=ee;exports.tools=be;
1
+ "use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const t=require("./@SipConnector-DB4bLDI5.cjs");require("events-constructor");const k=require("@krivega/cancelable-promise"),q=require("repeated-calls"),W=require("ts-debounce"),H=require("ua-parser-js"),j=require("sequent-promises"),K=require("stack-promises"),X=e=>e instanceof Object&&("originator"in e||"cause"in e),Y=e=>{if(k.isCanceledError(e))return!0;if(!X(e))return!1;const{originator:n,cause:o}=e;return typeof o=="string"?o===t.ECallCause.REQUEST_TIMEOUT||o===t.ECallCause.REJECTED||n==="local"&&(o===t.ECallCause.CANCELED||o===t.ECallCause.BYE):!1},G=e=>e.connection.value,L=e=>e.call.value,J=e=>e.incoming.value,z=e=>{if(e.incoming.value!==t.EState$1.IDLE)return e.incoming.context.remoteCallerData},Q=e=>e.presentation.value,Z=e=>{const n=L(e);return n===t.EState.IN_CALL||n===t.EState.ACCEPTED},ee={selectConnectionStatus:G,selectCallStatus:L,selectIncomingStatus:J,selectIncomingRemoteCaller:z,selectPresentationStatus:Q,selectIsInCall:Z},ne=()=>globalThis.process?.versions?.electron!==void 0,V=()=>{const e=new H.UAParser,{name:n}=e.getBrowser(),o=ne();return{isChrome:n==="Chrome"||o}},M=e=>{const{url:n,cause:o}=e;let r=n;return(o===t.ECallCause.BAD_MEDIA_DESCRIPTION||o===t.ECallCause.NOT_FOUND)&&(r=`${e.message.to.uri.user}@${e.message.to.uri.host}`),r};var x=(e=>(e.CONNECT_SERVER_FAILED="CONNECT_SERVER_FAILED",e.WRONG_USER_OR_PASSWORD="WRONG_USER_OR_PASSWORD",e.BAD_MEDIA_ERROR="BAD_MEDIA_ERROR",e.NOT_FOUND_ERROR="NOT_FOUND_ERROR",e.WS_CONNECTION_FAILED="WS_CONNECTION_FAILED",e.CONNECT_SERVER_FAILED_BY_LINK="CONNECT_SERVER_FAILED_BY_LINK",e))(x||{});const te=new Error("Unknown error"),oe=(e=te)=>{const{cause:n,socket:o}=e;let r="CONNECT_SERVER_FAILED";switch(n){case"Forbidden":{r="WRONG_USER_OR_PASSWORD";break}case t.ECallCause.BAD_MEDIA_DESCRIPTION:{r="BAD_MEDIA_ERROR";break}case t.ECallCause.NOT_FOUND:{r="NOT_FOUND_ERROR";break}default:o!==void 0&&o._ws?.readyState===3?r="WS_CONNECTION_FAILED":M(e)!==void 0&&M(e)!==""&&(r="CONNECT_SERVER_FAILED_BY_LINK")}return r},re=e=>{let n="";try{n=JSON.stringify(e)}catch(o){t.logger("failed to stringify message",o)}return n},se=new Error("Unknown error"),ae=(e=se)=>{const{code:n,cause:o,message:r}=e,a=M(e),s={code:"",cause:"",message:""};return typeof r=="object"&&r!==null?s.message=re(r):r&&(s.message=String(r)),a!==void 0&&a!==""&&(s.link=a),n!==void 0&&n!==""&&(s.code=n),o!==void 0&&o!==""&&(s.cause=o),s},ce=Object.freeze(Object.defineProperty({__proto__:null,EErrorTypes:x,getLinkError:M,getTypeFromError:oe,getValuesFromError:ae},Symbol.toStringTag,{value:"Module"})),ie=({sessionId:e,remoteAddress:n,isMutedAudio:o,isMutedVideo:r,isRegistered:a,isPresentationCall:s})=>{const c=[],l=o?"0":"1",g=r?"0":"1";return c.push(`X-Vinteo-Mic-State: ${l}`,`X-Vinteo-MainCam-State: ${g}`),(a===!1||a===void 0)&&c.push("X-Vinteo-Purgatory-Call: yes"),e!==void 0&&e!==""&&c.push(`X-Vinteo-Session: ${e}`),s===!0&&c.push("X-Vinteo-Presentation-Call: yes"),n!==void 0&&n!==""&&c.push(`X-Vinteo-Remote: ${n}`),c},le="[@*!|]",ue="_",ge=e=>{let n=e;return n=n.replaceAll(new RegExp(le,"g"),ue),n},Ce=({appName:e,appVersion:n,browserName:o,browserVersion:r})=>{const s=`${ge(e)} ${n}`;return`ChromeNew - ${o===void 0?s:`${o} ${r}, ${s}`}`},de=({isUnifiedSdpSemantic:e,appVersion:n,browserName:o,browserVersion:r,appName:a})=>e?Ce({appVersion:n,browserName:o,browserVersion:r,appName:a}):"Chrome",$="purgatory",y=e=>e===$,Se=e=>n=>[...n].map(r=>async()=>e(r)),fe=async({accumulatedKeys:e,sendKey:n,canRunTask:o})=>{const a=Se(n)(e);return j.sequentPromises(a,o)},me=e=>o=>(t.logger("onStartMainCam"),e.on("api:admin-start-main-cam",o)),Ee=e=>o=>(t.logger("onStartMic"),e.on("api:admin-start-mic",o)),pe=e=>o=>(t.logger("onStopMainCam"),e.on("api:admin-stop-main-cam",o)),he=e=>o=>(t.logger("onStopMic"),e.on("api:admin-stop-mic",o)),Re=({sipConnector:e})=>{const n=(u,C)=>({isSyncForced:d})=>{if(d===!0){u();return}C()},o=me(e),r=pe(e),a=Ee(e),s=he(e);let c,l,g,E;const b=({onStartMainCamForced:u,onStartMainCamNotForced:C,onStopMainCamForced:d,onStopMainCamNotForced:h,onStartMicForced:R,onStartMicNotForced:T,onStopMicForced:O,onStopMicNotForced:_})=>{const S=n(u,C);c=o(S);const f=n(d,h);l=r(f);const A=n(R,T);g=a(A);const m=n(O,_);E=s(m)},P=()=>{c?.(),l?.(),g?.(),E?.()};return{start:u=>{b(u)},stop:()=>{P()}}},be=Object.freeze(Object.defineProperty({__proto__:null,PURGATORY_CONFERENCE_NUMBER:$,createSyncMediaState:Re,createUaParser:V,error:ce,getExtraHeaders:ie,getUserAgent:de,hasPurgatory:y,prepareMediaStream:t.prepareMediaStream,sendDtmfAccumulated:fe,sendOffer:t.sendOffer,setEncodingsToSender:t.setEncodingsToSender,setParametersToSender:t.setParametersToSender},Symbol.toStringTag,{value:"Module"})),Pe=()=>V().isChrome,ve=e=>{if(!k.isCanceledError(e)&&!q.hasCanceledError(e)&&!t.hasNotReadyForConnectionError(e))throw e;return{configuration:void 0,isSuccessful:!1}},Te=({kind:e,readyState:n})=>e==="video"&&n==="live",I=(e,n,{onEnterPurgatory:o,onEnterConference:r})=>{y(e)?o&&o():r&&r({isSuccessProgressCall:n})},w=(e,n)=>{e(),n&&n()},U=(e,n,o)=>{throw e&&e(),n(),o},Oe=new Set(["on","once","onceRace","wait","off","sendDTMF","hangUp","declineToIncomingCall","sendChannels","checkTelephony","waitChannels","ping","startAutoConnect","stopAutoConnect","connection","isConfigured","isRegistered"]);class _e{on;once;onceRace;wait;off;sendDTMF;hangUp;declineToIncomingCall;sendChannels;checkTelephony;waitChannels;ping;startAutoConnect;stopAutoConnect;connection;isConfigured;isRegistered;sipConnector;constructor(n){return this.sipConnector=n,new Proxy(this,{get:(o,r,a)=>{if(typeof r=="string"&&Oe.has(r)&&r in this.sipConnector){const c=Reflect.get(this.sipConnector,r,this.sipConnector);return typeof c=="function"?c.bind(this.sipConnector):c}const s=Reflect.get(o,r,a);return typeof s=="function"?s.bind(o):s}})}connectToServer=async(n,o)=>this.sipConnector.connect(n,o).then(r=>(t.logger("connectToServer then"),{configuration:r,isSuccessful:!0})).catch(async r=>(t.logger("connectToServer catch: error",r),ve(r)));callToServer=async n=>{const{conference:o,mediaStream:r,extraHeaders:a,iceServers:s,contentHint:c,degradationPreference:l,sendEncodings:g,offerToReceiveAudio:E,offerToReceiveVideo:b,directionVideo:P,directionAudio:v,onBeforeProgressCall:p,onSuccessProgressCall:u,onEnterPurgatory:C,onEnterConference:d,onFailProgressCall:h,onFinishProgressCall:R,onEndedCall:T,onAddedTransceiver:O}=n;t.logger("callToServer",n);const _=async()=>(t.logger("startCall"),this.sipConnector.call({mediaStream:r,extraHeaders:a,iceServers:s,contentHint:c,offerToReceiveAudio:E,offerToReceiveVideo:b,directionVideo:P,directionAudio:v,degradationPreference:l,onAddedTransceiver:O,sendEncodings:g,number:o}));let S=!1,f;const m=(t.logger("subscribeEnterConference: onEnterConference",d),this.sipConnector.on("api:enterRoom",({room:i})=>{t.logger("enterRoom",{_room:i,isSuccessProgressCall:S}),f=i,(C??d)&&I(f,S,{onEnterPurgatory:C,onEnterConference:d})})),N=i=>(t.logger("onSuccess"),S=!0,u&&u({isPurgatory:y(f)}),this.sipConnector.onceRace(["call:ended","call:failed"],()=>{w(m,T)}),i),D=i=>(t.logger("onFail"),U(h,m,i)),F=()=>{t.logger("onFinish"),R&&R()};return t.logger("onBeforeProgressCall"),p&&p(o),_().then(N).catch(i=>D(i)).finally(F)};disconnectFromServer=async()=>this.sipConnector.disconnect().then(()=>(t.logger("disconnectFromServer: then"),{isSuccessful:!0})).catch(n=>(t.logger("disconnectFromServer: catch",n),{isSuccessful:!1}));answerToIncomingCall=async n=>{const{mediaStream:o,extraHeaders:r,iceServers:a,contentHint:s,degradationPreference:c,sendEncodings:l,offerToReceiveAudio:g,offerToReceiveVideo:E,directionVideo:b,directionAudio:P,onBeforeProgressCall:v,onSuccessProgressCall:p,onEnterPurgatory:u,onEnterConference:C,onFailProgressCall:d,onFinishProgressCall:h,onEndedCall:R,onAddedTransceiver:T}=n;t.logger("answerToIncomingCall",n);const O=async()=>this.sipConnector.answerToIncomingCall({mediaStream:o,extraHeaders:r,iceServers:a,contentHint:s,offerToReceiveAudio:g,offerToReceiveVideo:E,directionVideo:b,directionAudio:P,degradationPreference:c,onAddedTransceiver:T,sendEncodings:l}),_=()=>{const{remoteCallerData:i}=this.sipConnector;return i.incomingNumber};let S=!1,f;const m=(t.logger("subscribeEnterConference: onEnterConference",C),this.sipConnector.on("api:enterRoom",i=>{t.logger("enterRoom",{room:i.room,isSuccessProgressCall:S}),f=i.room,(u??C)&&I(f,S,{onEnterPurgatory:u,onEnterConference:C})})),N=i=>(t.logger("onSuccess"),S=!0,p&&p({isPurgatory:y(f)}),this.sipConnector.onceRace(["call:ended","call:failed"],()=>{w(m,R)}),i),D=i=>(t.logger("onFail"),U(d,m,i)),F=()=>{t.logger("onFinish"),h&&h()};if(t.logger("onBeforeProgressCall"),v){const i=_();v(i)}return O().then(N).catch(i=>D(i)).finally(F)};updatePresentation=async({mediaStream:n,isP2P:o,contentHint:r,degradationPreference:a,sendEncodings:s,onAddedTransceiver:c})=>(t.logger("updatePresentation"),this.sipConnector.updatePresentation(n,{isP2P:o,contentHint:r,degradationPreference:a,onAddedTransceiver:c,sendEncodings:s}));startPresentation=async({mediaStream:n,isP2P:o,contentHint:r,degradationPreference:a,sendEncodings:s,callLimit:c,onAddedTransceiver:l})=>(t.logger("startPresentation"),this.sipConnector.startPresentation(n,{isP2P:o,contentHint:r,callLimit:c,degradationPreference:a,onAddedTransceiver:l,sendEncodings:s}));stopShareSipConnector=async({isP2P:n=!1}={})=>(t.logger("stopShareSipConnector"),this.sipConnector.stopPresentation({isP2P:n}).catch(o=>{t.logger(o)}));sendRefusalToTurnOnMic=async()=>{t.logger("sendRefusalToTurnOnMic"),await this.sipConnector.sendRefusalToTurnOnMic().catch(n=>{t.logger("sendRefusalToTurnOnMic: error",n)})};sendRefusalToTurnOnCam=async()=>{t.logger("sendRefusalToTurnOnCam"),await this.sipConnector.sendRefusalToTurnOnCam().catch(n=>{t.logger("sendRefusalToTurnOnCam: error",n)})};sendMediaState=async({isEnabledCam:n,isEnabledMic:o})=>{t.logger("sendMediaState"),await this.sipConnector.sendMediaState({cam:n,mic:o})};replaceMediaStream=async(n,{deleteExisting:o,addMissing:r,forceRenegotiation:a,contentHint:s,degradationPreference:c,sendEncodings:l,onAddedTransceiver:g})=>(t.logger("replaceMediaStream"),this.sipConnector.replaceMediaStream(n,{deleteExisting:o,addMissing:r,forceRenegotiation:a,contentHint:s,degradationPreference:c,onAddedTransceiver:g,sendEncodings:l}));askPermissionToEnableCam=async()=>{t.logger("askPermissionToEnableCam"),await this.sipConnector.askPermissionToEnableCam()};resolveHandleReadyRemoteStreamsDebounced=({onReadyRemoteStreams:n})=>W.debounce(()=>{const o=this.sipConnector.getRemoteStreams();t.logger("remoteStreams",o),n(o)},200);resolveHandleReadyRemoteStreams=({onReadyRemoteStreams:n})=>({track:o})=>{Te(o)&&n()};getRemoteStreams=()=>(t.logger("getRemoteStreams"),this.sipConnector.getRemoteStreams());onUseLicense=n=>(t.logger("onUseLicense"),this.sipConnector.on("api:useLicense",n));onMustStopPresentation=n=>(t.logger("onMustStopPresentation"),this.sipConnector.on("api:mustStopPresentation",n));onMoveToSpectators=n=>(t.logger("onMoveToSpectators"),this.sipConnector.on("api:participant:move-request-to-spectators",n));onMoveToParticipants=n=>(t.logger("onMoveToParticipants"),this.sipConnector.on("api:participant:move-request-to-participants",n));onStats=n=>(t.logger("onStats"),this.sipConnector.on("stats:collected",n));offStats=n=>{t.logger("offStats"),this.sipConnector.off("stats:collected",n)}}var B=(e=>(e.VP8="video/VP8",e.VP9="video/VP9",e.H264="video/H264",e.AV1="video/AV1",e.rtx="video/rtx",e.red="video/red",e.flexfec03="video/flexfec-03",e))(B||{});exports.ECallCause=t.ECallCause;exports.ECallStatus=t.EState;exports.EConnectionStatus=t.EState$2;exports.EIncomingStatus=t.EState$1;exports.EPresentationStatus=t.EState$3;exports.EStatsTypes=t.EStatsTypes;exports.EUseLicense=t.EUseLicense;exports.SipConnector=t.SipConnector;exports.StatsPeerConnection=t.StatsPeerConnection;exports.disableDebug=t.disableDebug;exports.enableDebug=t.enableDebug;exports.getCodecFromSender=t.getCodecFromSender;exports.hasCanceledStartPresentationError=t.hasCanceledStartPresentationError;Object.defineProperty(exports,"hasConnectionPromiseIsNotActualError",{enumerable:!0,get:()=>K.isPromiseIsNotActualError});exports.EMimeTypesVideoCodecs=B;exports.SipConnectorFacade=_e;exports.hasAvailableStats=Pe;exports.hasCanceledCallError=Y;exports.sessionSelectors=ee;exports.tools=be;
package/dist/index.js CHANGED
@@ -1,5 +1,5 @@
1
- import { E as p, a as w, b as H, l as r, p as j, s as K, c as X, d as Y, h as G } from "./@SipConnector-D4SHRHKj.js";
2
- import { n as He, o as je, j as Ke, e as Xe, S as Ye, k as Ge, f as qe, g as ze, m as Je, i as Qe } from "./@SipConnector-D4SHRHKj.js";
1
+ import { E as p, a as w, b as H, l as r, p as j, s as K, c as X, d as Y, h as G } from "./@SipConnector-FYEV5h4G.js";
2
+ import { n as He, o as je, j as Ke, e as Xe, S as Ye, k as Ge, f as qe, g as ze, m as Je, i as Qe } from "./@SipConnector-FYEV5h4G.js";
3
3
  import "events-constructor";
4
4
  import { isCanceledError as L } from "@krivega/cancelable-promise";
5
5
  import { hasCanceledError as q } from "repeated-calls";
@@ -23,6 +23,11 @@ type TSendOfferParams = {
23
23
  * SDP-offer, который нужно отправить на сервер.
24
24
  */
25
25
  offer: RTCSessionDescriptionInit;
26
+ /**
27
+ * JWT токен для авторизации API-запросов.
28
+ * Если передан, добавляется в заголовок Authorization: Bearer {token}.
29
+ */
30
+ token?: string;
26
31
  };
27
32
  /**
28
33
  * Отправляет SDP-offer на MCU и возвращает SDP-answer.
@@ -32,8 +37,10 @@ type TSendOfferParams = {
32
37
  * Пример:
33
38
  * https://dev.vinteo.com/api/v2/rtp2webrtc/offer/1008?quality=medium&audio=0
34
39
  *
40
+ * Если передан токен, добавляется заголовок Authorization: Bearer {token}.
41
+ *
35
42
  * Ожидается, что сервер вернёт JSON с полями { type, sdp }.
36
43
  */
37
- declare const sendOffer: ({ serverUrl, conferenceNumber, quality, audio, offer, }: TSendOfferParams) => Promise<RTCSessionDescription>;
44
+ declare const sendOffer: ({ serverUrl, conferenceNumber, quality, audio, offer, token, }: TSendOfferParams) => Promise<RTCSessionDescription>;
38
45
  export type { TSendOfferParams, TQuality };
39
46
  export default sendOffer;
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "sip-connector",
3
- "version": "20.3.0",
3
+ "version": "20.4.1",
4
4
  "description": "Module for connect to Vinteo server",
5
5
  "keywords": [
6
6
  "webrtc",