Skip to content

Commit

Permalink
chore: Add react-native EventSource (#318)
Browse files Browse the repository at this point in the history
This adds a local customised copy of
[react-native-sse](https://github.com/binaryminds/react-native-sse). I
have modified this to be in TypeScript and added minimal extra logic to
work with our use case.

---------

Co-authored-by: LaunchDarklyReleaseBot <[email protected]>
  • Loading branch information
yusinto and LaunchDarklyReleaseBot authored Nov 28, 2023
1 parent a3ec167 commit aaaf6d1
Show file tree
Hide file tree
Showing 12 changed files with 498 additions and 38 deletions.
10 changes: 7 additions & 3 deletions packages/sdk/react-native/src/platform.ts
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,7 @@
import type {
Crypto,
Encoding,
EventName,
EventSource,
EventSourceInitDict,
Hasher,
Expand All @@ -13,17 +14,20 @@ import type {
Requests,
Response,
SdkData,
} from '@launchdarkly/js-sdk-common';
} from '@launchdarkly/js-client-sdk-common';

import { name, version } from '../package.json';
import { btoa, uuidv4 } from './polyfills';
import RNEventSource from './react-native-sse';

class PlatformRequests implements Requests {
createEventSource(_url: string, _eventSourceInitDict: EventSourceInitDict): EventSource {
throw new Error('todo');
createEventSource(url: string, eventSourceInitDict: EventSourceInitDict): EventSource {
// TODO: add retry logic
return new RNEventSource<EventName>(url, eventSourceInitDict);
}

fetch(url: string, options?: Options): Promise<Response> {
// @ts-ignore
return fetch(url, options);
}
}
Expand Down
314 changes: 314 additions & 0 deletions packages/sdk/react-native/src/react-native-sse/EventSource.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,314 @@
/**
* Ripped from https://github.com/binaryminds/react-native-sse
* These changes are made from the above repo at fork-time:
* 1. converted to ts and fix ts related errors.
* 2. added onopen, onclose, onerror, onretrying functions.
* 3. modified dispatch to work with functions added in 2.
* 4. replaced all for of loops with foreach
*/
import type { EventSourceEvent, EventSourceListener, EventSourceOptions, EventType } from './types';

const XMLReadyStateMap = ['UNSENT', 'OPENED', 'HEADERS_RECEIVED', 'LOADING', 'DONE'];

const defaultOptions: EventSourceOptions = {
body: undefined,
debug: false,
headers: {},
method: 'GET',
pollingInterval: 5000,
timeout: 0,
timeoutBeforeConnection: 500,
withCredentials: false,
};

export default class EventSource<E extends string = never> {
ERROR = -1;
CONNECTING = 0;
OPEN = 1;
CLOSED = 2;

private lastEventId: undefined | string;
private lastIndexProcessed = 0;
private eventType: undefined | EventType<E>;
private status = this.CONNECTING;
private eventHandlers: any = {
open: [],
message: [],
error: [],
close: [],
};

private method: string;
private timeout: number;
private timeoutBeforeConnection: number;
private withCredentials: boolean;
private headers: Record<string, any>;
private body: any;
private debug: boolean;
private url: string;
private xhr: XMLHttpRequest = new XMLHttpRequest();
private pollTimer: any;
private pollingInterval: number;

constructor(url: string, options?: EventSourceOptions) {
const opts = {
...defaultOptions,
...options,
};

this.url = url;
this.method = opts.method!;
this.timeout = opts.timeout!;
this.timeoutBeforeConnection = opts.timeoutBeforeConnection!;
this.withCredentials = opts.withCredentials!;
this.headers = opts.headers!;
this.body = opts.body;
this.debug = opts.debug!;
this.pollingInterval = opts.pollingInterval!;

this.pollAgain(this.timeoutBeforeConnection, true);
}

private pollAgain(time: number, allowZero: boolean) {
if (time > 0 || allowZero) {
this.logDebug(`[EventSource] Will open new connection in ${time} ms.`);
this.dispatch('retry', { type: 'retry' });
this.pollTimer = setTimeout(() => {
this.open();
}, time);
}
}

open() {
try {
this.lastIndexProcessed = 0;
this.status = this.CONNECTING;
this.xhr.open(this.method, this.url, true);

if (this.withCredentials) {
this.xhr.withCredentials = true;
}

this.xhr.setRequestHeader('Accept', 'text/event-stream');
this.xhr.setRequestHeader('Cache-Control', 'no-cache');
this.xhr.setRequestHeader('X-Requested-With', 'XMLHttpRequest');

if (this.headers) {
Object.entries(this.headers).forEach(([key, value]) => {
this.xhr.setRequestHeader(key, value);
});
}

if (typeof this.lastEventId !== 'undefined') {
this.xhr.setRequestHeader('Last-Event-ID', this.lastEventId);
}

this.xhr.timeout = this.timeout;

this.xhr.onreadystatechange = () => {
if (this.status === this.CLOSED) {
return;
}

this.logDebug(
`[EventSource][onreadystatechange] ReadyState: ${
XMLReadyStateMap[this.xhr.readyState] || 'Unknown'
}(${this.xhr.readyState}), status: ${this.xhr.status}`,
);

if (
this.xhr.readyState !== XMLHttpRequest.DONE &&
this.xhr.readyState !== XMLHttpRequest.LOADING
) {
return;
}

if (this.xhr.status >= 200 && this.xhr.status < 400) {
if (this.status === this.CONNECTING) {
this.status = this.OPEN;
this.dispatch('open', { type: 'open' });
this.logDebug('[EventSource][onreadystatechange][OPEN] Connection opened.');
}

this.handleEvent(this.xhr.responseText || '');

if (this.xhr.readyState === XMLHttpRequest.DONE) {
this.logDebug('[EventSource][onreadystatechange][DONE] Operation done.');
this.pollAgain(this.pollingInterval, false);
}
} else if (this.xhr.status !== 0) {
this.status = this.ERROR;
this.dispatch('error', {
type: 'error',
message: this.xhr.responseText,
xhrStatus: this.xhr.status,
xhrState: this.xhr.readyState,
});

if (this.xhr.readyState === XMLHttpRequest.DONE) {
this.logDebug('[EventSource][onreadystatechange][ERROR] Response status error.');
this.pollAgain(this.pollingInterval, false);
}
}
};

this.xhr.onerror = () => {
if (this.status === this.CLOSED) {
return;
}

this.status = this.ERROR;
this.dispatch('error', {
type: 'error',
message: this.xhr.responseText,
xhrStatus: this.xhr.status,
xhrState: this.xhr.readyState,
});
};

if (this.body) {
this.xhr.send(this.body);
} else {
this.xhr.send();
}

if (this.timeout > 0) {
setTimeout(() => {
if (this.xhr.readyState === XMLHttpRequest.LOADING) {
this.dispatch('error', { type: 'timeout' });
this.close();
}
}, this.timeout);
}
} catch (e: any) {
this.status = this.ERROR;
this.dispatch('error', {
type: 'exception',
message: e.message,
error: e,
});
}
}

private logDebug(...msg: string[]) {
if (this.debug) {
// eslint-disable-next-line no-console
console.debug(...msg);
}
}

private handleEvent(response: string) {
const parts = response.slice(this.lastIndexProcessed).split('\n');

const indexOfDoubleNewline = response.lastIndexOf('\n\n');
if (indexOfDoubleNewline !== -1) {
this.lastIndexProcessed = indexOfDoubleNewline + 2;
}

let data = [];
let retry = 0;
let line = '';

// eslint-disable-next-line no-plusplus
for (let i = 0; i < parts.length; i++) {
line = parts[i].replace(/^(\s|\u00A0)+|(\s|\u00A0)+$/g, '');
if (line.indexOf('event') === 0) {
this.eventType = line.replace(/event:?\s*/, '') as EventType<E>;
} else if (line.indexOf('retry') === 0) {
retry = parseInt(line.replace(/retry:?\s*/, ''), 10);
if (!Number.isNaN(retry)) {
this.pollingInterval = retry;
}
} else if (line.indexOf('data') === 0) {
data.push(line.replace(/data:?\s*/, ''));
} else if (line.indexOf('id:') === 0) {
this.lastEventId = line.replace(/id:?\s*/, '');
} else if (line.indexOf('id') === 0) {
this.lastEventId = undefined;
} else if (line === '') {
if (data.length > 0) {
const eventType = this.eventType || 'message';
const event: any = {
type: eventType,
data: data.join('\n'),
url: this.url,
lastEventId: this.lastEventId,
};

this.dispatch(eventType, event);

data = [];
this.eventType = undefined;
}
}
}
}

addEventListener<T extends EventType<E>>(type: T, listener: EventSourceListener<E, T>): void {
if (this.eventHandlers[type] === undefined) {
this.eventHandlers[type] = [];
}

this.eventHandlers[type].push(listener);
}

removeEventListener<T extends EventType<E>>(type: T, listener: EventSourceListener<E, T>): void {
if (this.eventHandlers[type] !== undefined) {
this.eventHandlers[type] = this.eventHandlers[type].filter(
(handler: EventSourceListener<E, T>) => handler !== listener,
);
}
}

removeAllEventListeners<T extends EventType<E>>(type?: T) {
const availableTypes = Object.keys(this.eventHandlers);

if (type === undefined) {
availableTypes.forEach((eventType) => {
this.eventHandlers[eventType] = [];
});
} else {
if (!availableTypes.includes(type)) {
throw Error(`[EventSource] '${type}' type is not supported event type.`);
}

this.eventHandlers[type] = [];
}
}

dispatch<T extends EventType<E>>(type: T, data: EventSourceEvent<T>) {
this.eventHandlers[type]?.forEach((handler: EventSourceListener<E, T>) => handler(data));

switch (type) {
case 'open':
this.onopen();
break;
case 'close':
this.onclose();
break;
case 'error':
this.onerror();
break;
case 'retry':
this.onretrying();
break;
default:
break;
}
}

close() {
this.status = this.CLOSED;
clearTimeout(this.pollTimer);
if (this.xhr) {
this.xhr.abort();
}

this.dispatch('close', { type: 'close' });
}

onopen() {}
onclose() {}
onerror() {}
onretrying() {}
}
21 changes: 21 additions & 0 deletions packages/sdk/react-native/src/react-native-sse/LICENSE
Original file line number Diff line number Diff line change
@@ -0,0 +1,21 @@
The MIT License

Copyright (c) 2021 Binary Minds

Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
3 changes: 3 additions & 0 deletions packages/sdk/react-native/src/react-native-sse/index.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,3 @@
import EventSource from './EventSource';

export default EventSource;
Loading

0 comments on commit aaaf6d1

Please sign in to comment.