jiti-meet/react/features/base/util/loadScript.native.js

45 lines
1.7 KiB
JavaScript
Raw Normal View History

/**
2016-12-07 22:00:54 +00:00
* Loads a script from a specific URL. React Native cannot load a JS
* file/resource/URL via a <script> HTML element, so the implementation
2017-08-31 19:16:44 +00:00
* fetches the specified <tt>url</tt> as plain text using {@link fetch()} and
* then evaluates the fetched string as JavaScript code (using {@link eval()}).
*
2017-08-31 19:16:44 +00:00
* @param {string} url - The absolute URL from which the script is to be
2016-12-07 22:00:54 +00:00
* (down)loaded.
* @returns {void}
*/
2016-12-07 22:00:54 +00:00
export function loadScript(url) {
return new Promise((resolve, reject) => {
// XXX The implementation of fetch on Android will throw an Exception on
// the Java side which will break the app if the URL is invalid (which
// the implementation of fetch on Android calls 'unexpected url'). In
// order to try to prevent the breakage of the app, try to fail on an
// invalid URL as soon as possible.
const { hostname, pathname, protocol } = new URL(url);
// XXX The standard URL implementation should throw an Error if the
// specified URL is relative. Unfortunately, the polyfill used on
// react-native does not.
if (!hostname || !pathname || !protocol) {
reject(`unexpected url: ${url}`);
return;
}
fetch(url, { method: 'GET' })
2016-12-07 22:00:54 +00:00
.then(response => {
switch (response.status) {
case 200:
return response.responseText || response.text();
default:
throw response.statusText;
}
})
.then(responseText => {
eval.call(window, responseText); // eslint-disable-line no-eval
})
.then(resolve, reject);
});
}