react-native-blob-util
Version:
A module provides upload, download, and files access API. Supports file stream read/write for process large files.
1,677 lines (1,390 loc) • 82.6 kB
JavaScript
// This file is the concatenation of many js files.
// See http://github.com/jimhigson/oboe.js for the raw source
// having a local undefined, window, Object etc allows slightly better minification:
(function (window, Object, Array, Error, JSON, undefined ) {
// v2.1.1-1-gb70a959
/*
Copyright (c) 2013, Jim Higson
All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
1. Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
2. Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in the
documentation and/or other materials provided with the distribution.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS
IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED
TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A
PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED
TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
/**
* Partially complete a function.
*
* var add3 = partialComplete( function add(a,b){return a+b}, 3 );
*
* add3(4) // gives 7
*
* function wrap(left, right, cen){return left + " " + cen + " " + right;}
*
* var pirateGreeting = partialComplete( wrap , "I'm", ", a mighty pirate!" );
*
* pirateGreeting("Guybrush Threepwood");
* // gives "I'm Guybrush Threepwood, a mighty pirate!"
*/
var partialComplete = varArgs(function( fn, args ) {
// this isn't the shortest way to write this but it does
// avoid creating a new array each time to pass to fn.apply,
// otherwise could just call boundArgs.concat(callArgs)
var numBoundArgs = args.length;
return varArgs(function( callArgs ) {
for (var i = 0; i < callArgs.length; i++) {
args[numBoundArgs + i] = callArgs[i];
}
args.length = numBoundArgs + callArgs.length;
return fn.apply(this, args);
});
}),
/**
* Compose zero or more functions:
*
* compose(f1, f2, f3)(x) = f1(f2(f3(x))))
*
* The last (inner-most) function may take more than one parameter:
*
* compose(f1, f2, f3)(x,y) = f1(f2(f3(x,y))))
*/
compose = varArgs(function(fns) {
var fnsList = arrayAsList(fns);
function next(params, curFn) {
return [apply(params, curFn)];
}
return varArgs(function(startParams){
return foldR(next, startParams, fnsList)[0];
});
});
/**
* A more optimised version of compose that takes exactly two functions
* @param f1
* @param f2
*/
function compose2(f1, f2){
return function(){
return f1.call(this,f2.apply(this,arguments));
};
}
/**
* Generic form for a function to get a property from an object
*
* var o = {
* foo:'bar'
* }
*
* var getFoo = attr('foo')
*
* fetFoo(o) // returns 'bar'
*
* @param {String} key the property name
*/
function attr(key) {
return function(o) { return o[key]; };
}
/**
* Call a list of functions with the same args until one returns a
* truthy result. Similar to the || operator.
*
* So:
* lazyUnion([f1,f2,f3 ... fn])( p1, p2 ... pn )
*
* Is equivalent to:
* apply([p1, p2 ... pn], f1) ||
* apply([p1, p2 ... pn], f2) ||
* apply([p1, p2 ... pn], f3) ... apply(fn, [p1, p2 ... pn])
*
* @returns the first return value that is given that is truthy.
*/
var lazyUnion = varArgs(function(fns) {
return varArgs(function(params){
var maybeValue;
for (var i = 0; i < len(fns); i++) {
maybeValue = apply(params, fns[i]);
if( maybeValue ) {
return maybeValue;
}
}
});
});
/**
* This file declares various pieces of functional programming.
*
* This isn't a general purpose functional library, to keep things small it
* has just the parts useful for Oboe.js.
*/
/**
* Call a single function with the given arguments array.
* Basically, a functional-style version of the OO-style Function#apply for
* when we don't care about the context ('this') of the call.
*
* The order of arguments allows partial completion of the arguments array
*/
function apply(args, fn) {
return fn.apply(undefined, args);
}
/**
* Define variable argument functions but cut out all that tedious messing about
* with the arguments object. Delivers the variable-length part of the arguments
* list as an array.
*
* Eg:
*
* var myFunction = varArgs(
* function( fixedArgument, otherFixedArgument, variableNumberOfArguments ){
* console.log( variableNumberOfArguments );
* }
* )
*
* myFunction('a', 'b', 1, 2, 3); // logs [1,2,3]
*
* var myOtherFunction = varArgs(function( variableNumberOfArguments ){
* console.log( variableNumberOfArguments );
* })
*
* myFunction(1, 2, 3); // logs [1,2,3]
*
*/
function varArgs(fn){
var numberOfFixedArguments = fn.length -1,
slice = Array.prototype.slice;
if( numberOfFixedArguments == 0 ) {
// an optimised case for when there are no fixed args:
return function(){
return fn.call(this, slice.call(arguments));
};
} else if( numberOfFixedArguments == 1 ) {
// an optimised case for when there are is one fixed args:
return function(){
return fn.call(this, arguments[0], slice.call(arguments, 1));
};
}
// general case
// we know how many arguments fn will always take. Create a
// fixed-size array to hold that many, to be re-used on
// every call to the returned function
var argsHolder = Array(fn.length);
return function(){
for (var i = 0; i < numberOfFixedArguments; i++) {
argsHolder[i] = arguments[i];
}
argsHolder[numberOfFixedArguments] =
slice.call(arguments, numberOfFixedArguments);
return fn.apply( this, argsHolder);
};
}
/**
* Swap the order of parameters to a binary function
*
* A bit like this flip: http://zvon.org/other/haskell/Outputprelude/flip_f.html
*/
function flip(fn){
return function(a, b){
return fn(b,a);
};
}
/**
* Create a function which is the intersection of two other functions.
*
* Like the && operator, if the first is truthy, the second is never called,
* otherwise the return value from the second is returned.
*/
function lazyIntersection(fn1, fn2) {
return function (param) {
return fn1(param) && fn2(param);
};
}
/**
* A function which does nothing
*/
function noop(){}
/**
* A function which is always happy
*/
function always(){return true;}
/**
* Create a function which always returns the same
* value
*
* var return3 = functor(3);
*
* return3() // gives 3
* return3() // still gives 3
* return3() // will always give 3
*/
function functor(val){
return function(){
return val;
};
}
/**
* This file defines some loosely associated syntactic sugar for
* Javascript programming
*/
/**
* Returns true if the given candidate is of type T
*/
function isOfType(T, maybeSomething){
return maybeSomething && maybeSomething.constructor === T;
}
var len = attr('length'),
isString = partialComplete(isOfType, String);
/**
* I don't like saying this:
*
* foo !=== undefined
*
* because of the double-negative. I find this:
*
* defined(foo)
*
* easier to read.
*/
function defined( value ) {
return value !== undefined;
}
/**
* Returns true if object o has a key named like every property in
* the properties array. Will give false if any are missing, or if o
* is not an object.
*/
function hasAllProperties(fieldList, o) {
return o instanceof Object
&&
all(function (field) {
return field in o;
}, fieldList);
}
/**
* Like cons in Lisp
*/
function cons(x, xs) {
/* Internally lists are linked 2-element Javascript arrays.
Ideally the return here would be Object.freeze([x,xs])
so that bugs related to mutation are found fast.
However, cons is right on the critical path for
performance and this slows oboe-mark down by
~25%. Under theoretical future JS engines that freeze more
efficiently (possibly even use immutability to
run faster) this should be considered for
restoration.
*/
return [x,xs];
}
/**
* The empty list
*/
var emptyList = null,
/**
* Get the head of a list.
*
* Ie, head(cons(a,b)) = a
*/
head = attr(0),
/**
* Get the tail of a list.
*
* Ie, head(cons(a,b)) = a
*/
tail = attr(1);
/**
* Converts an array to a list
*
* asList([a,b,c])
*
* is equivalent to:
*
* cons(a, cons(b, cons(c, emptyList)))
**/
function arrayAsList(inputArray){
return reverseList(
inputArray.reduce(
flip(cons),
emptyList
)
);
}
/**
* A varargs version of arrayAsList. Works a bit like list
* in LISP.
*
* list(a,b,c)
*
* is equivalent to:
*
* cons(a, cons(b, cons(c, emptyList)))
*/
var list = varArgs(arrayAsList);
/**
* Convert a list back to a js native array
*/
function listAsArray(list){
return foldR( function(arraySoFar, listItem){
arraySoFar.unshift(listItem);
return arraySoFar;
}, [], list );
}
/**
* Map a function over a list
*/
function map(fn, list) {
return list
? cons(fn(head(list)), map(fn,tail(list)))
: emptyList
;
}
/**
* foldR implementation. Reduce a list down to a single value.
*
* @pram {Function} fn (rightEval, curVal) -> result
*/
function foldR(fn, startValue, list) {
return list
? fn(foldR(fn, startValue, tail(list)), head(list))
: startValue
;
}
/**
* foldR implementation. Reduce a list down to a single value.
*
* @pram {Function} fn (rightEval, curVal) -> result
*/
function foldR1(fn, list) {
return tail(list)
? fn(foldR1(fn, tail(list)), head(list))
: head(list)
;
}
/**
* Return a list like the one given but with the first instance equal
* to item removed
*/
function without(list, test, removedFn) {
return withoutInner(list, removedFn || noop);
function withoutInner(subList, removedFn) {
return subList
? test(head(subList))
? (removedFn(head(subList)), tail(subList))
: cons(head(subList), withoutInner(tail(subList), removedFn))
: emptyList
;
}
}
/**
* Returns true if the given function holds for every item in
* the list, false otherwise
*/
function all(fn, list) {
return !list ||
fn(head(list)) && all(fn, tail(list));
}
/**
* Call every function in a list of functions with the same arguments
*
* This doesn't make any sense if we're doing pure functional because
* it doesn't return anything. Hence, this is only really useful if the
* functions being called have side-effects.
*/
function applyEach(fnList, args) {
if( fnList ) {
head(fnList).apply(null, args);
applyEach(tail(fnList), args);
}
}
/**
* Reverse the order of a list
*/
function reverseList(list){
// js re-implementation of 3rd solution from:
// http://www.haskell.org/haskellwiki/99_questions/Solutions/5
function reverseInner( list, reversedAlready ) {
if( !list ) {
return reversedAlready;
}
return reverseInner(tail(list), cons(head(list), reversedAlready));
}
return reverseInner(list, emptyList);
}
function first(test, list) {
return list &&
(test(head(list))
? head(list)
: first(test,tail(list)));
}
/*
This is a slightly hacked-up browser only version of clarinet
* some features removed to help keep browser Oboe under
the 5k micro-library limit
* plug directly into event bus
For the original go here:
https://github.com/dscape/clarinet
We receive the events:
STREAM_DATA
STREAM_END
We emit the events:
SAX_KEY
SAX_VALUE_OPEN
SAX_VALUE_CLOSE
FAIL_EVENT
*/
function clarinet(eventBus) {
"use strict";
var
// shortcut some events on the bus
emitSaxKey = eventBus(SAX_KEY).emit,
emitValueOpen = eventBus(SAX_VALUE_OPEN).emit,
emitValueClose = eventBus(SAX_VALUE_CLOSE).emit,
emitFail = eventBus(FAIL_EVENT).emit,
MAX_BUFFER_LENGTH = 64 * 1024
, stringTokenPattern = /[\\"\n]/g
, _n = 0
// states
, BEGIN = _n++
, VALUE = _n++ // general stuff
, OPEN_OBJECT = _n++ // {
, CLOSE_OBJECT = _n++ // }
, OPEN_ARRAY = _n++ // [
, CLOSE_ARRAY = _n++ // ]
, STRING = _n++ // ""
, OPEN_KEY = _n++ // , "a"
, CLOSE_KEY = _n++ // :
, TRUE = _n++ // r
, TRUE2 = _n++ // u
, TRUE3 = _n++ // e
, FALSE = _n++ // a
, FALSE2 = _n++ // l
, FALSE3 = _n++ // s
, FALSE4 = _n++ // e
, NULL = _n++ // u
, NULL2 = _n++ // l
, NULL3 = _n++ // l
, NUMBER_DECIMAL_POINT = _n++ // .
, NUMBER_DIGIT = _n // [0-9]
// setup initial parser values
, bufferCheckPosition = MAX_BUFFER_LENGTH
, latestError
, c
, p
, textNode = ""
, numberNode = ""
, slashed = false
, closed = false
, state = BEGIN
, stack = []
, unicodeS = null
, unicodeI = 0
, depth = 0
, position = 0
, column = 0 //mostly for error reporting
, line = 1
;
function checkBufferLength () {
var maxActual = 0;
if (textNode.length > MAX_BUFFER_LENGTH) {
emitError("Max buffer length exceeded: textNode");
maxActual = Math.max(maxActual, textNode.length);
}
if (numberNode.length > MAX_BUFFER_LENGTH) {
emitError("Max buffer length exceeded: numberNode");
maxActual = Math.max(maxActual, numberNode.length);
}
bufferCheckPosition = MAX_BUFFER_LENGTH - maxActual
+ position;
}
eventBus(STREAM_DATA).on(handleData);
/* At the end of the http content close the clarinet
This will provide an error if the total content provided was not
valid json, ie if not all arrays, objects and Strings closed properly */
eventBus(STREAM_END).on(handleStreamEnd);
function emitError (errorString) {
if (textNode) {
emitValueOpen(textNode);
emitValueClose();
textNode = "";
}
latestError = Error(errorString + "\nLn: "+line+
"\nCol: "+column+
"\nChr: "+c);
emitFail(errorReport(undefined, undefined, latestError));
}
function handleStreamEnd() {
if( state == BEGIN ) {
// Handle the case where the stream closes without ever receiving
// any input. This isn't an error - response bodies can be blank,
// particularly for 204 http responses
// Because of how Oboe is currently implemented, we parse a
// completely empty stream as containing an empty object.
// This is because Oboe's done event is only fired when the
// root object of the JSON stream closes.
// This should be decoupled and attached instead to the input stream
// from the http (or whatever) resource ending.
// If this decoupling could happen the SAX parser could simply emit
// zero events on a completely empty input.
emitValueOpen({});
emitValueClose();
closed = true;
return;
}
if (state !== VALUE || depth !== 0)
emitError("Unexpected end");
if (textNode) {
emitValueOpen(textNode);
emitValueClose();
textNode = "";
}
closed = true;
}
function whitespace(c){
return c == '\r' || c == '\n' || c == ' ' || c == '\t';
}
function handleData (chunk) {
// this used to throw the error but inside Oboe we will have already
// gotten the error when it was emitted. The important thing is to
// not continue with the parse.
if (latestError)
return;
if (closed) {
return emitError("Cannot write after close");
}
var i = 0;
c = chunk[0];
while (c) {
p = c;
c = chunk[i++];
if(!c) break;
position ++;
if (c == "\n") {
line ++;
column = 0;
} else column ++;
switch (state) {
case BEGIN:
if (c === "{") state = OPEN_OBJECT;
else if (c === "[") state = OPEN_ARRAY;
else if (!whitespace(c))
return emitError("Non-whitespace before {[.");
continue;
case OPEN_KEY:
case OPEN_OBJECT:
if (whitespace(c)) continue;
if(state === OPEN_KEY) stack.push(CLOSE_KEY);
else {
if(c === '}') {
emitValueOpen({});
emitValueClose();
state = stack.pop() || VALUE;
continue;
} else stack.push(CLOSE_OBJECT);
}
if(c === '"')
state = STRING;
else
return emitError("Malformed object key should start with \" ");
continue;
case CLOSE_KEY:
case CLOSE_OBJECT:
if (whitespace(c)) continue;
if(c===':') {
if(state === CLOSE_OBJECT) {
stack.push(CLOSE_OBJECT);
if (textNode) {
// was previously (in upstream Clarinet) one event
// - object open came with the text of the first
emitValueOpen({});
emitSaxKey(textNode);
textNode = "";
}
depth++;
} else {
if (textNode) {
emitSaxKey(textNode);
textNode = "";
}
}
state = VALUE;
} else if (c==='}') {
if (textNode) {
emitValueOpen(textNode);
emitValueClose();
textNode = "";
}
emitValueClose();
depth--;
state = stack.pop() || VALUE;
} else if(c===',') {
if(state === CLOSE_OBJECT)
stack.push(CLOSE_OBJECT);
if (textNode) {
emitValueOpen(textNode);
emitValueClose();
textNode = "";
}
state = OPEN_KEY;
} else
return emitError('Bad object');
continue;
case OPEN_ARRAY: // after an array there always a value
case VALUE:
if (whitespace(c)) continue;
if(state===OPEN_ARRAY) {
emitValueOpen([]);
depth++;
state = VALUE;
if(c === ']') {
emitValueClose();
depth--;
state = stack.pop() || VALUE;
continue;
} else {
stack.push(CLOSE_ARRAY);
}
}
if(c === '"') state = STRING;
else if(c === '{') state = OPEN_OBJECT;
else if(c === '[') state = OPEN_ARRAY;
else if(c === 't') state = TRUE;
else if(c === 'f') state = FALSE;
else if(c === 'n') state = NULL;
else if(c === '-') { // keep and continue
numberNode += c;
} else if(c==='0') {
numberNode += c;
state = NUMBER_DIGIT;
} else if('123456789'.indexOf(c) !== -1) {
numberNode += c;
state = NUMBER_DIGIT;
} else
return emitError("Bad value");
continue;
case CLOSE_ARRAY:
if(c===',') {
stack.push(CLOSE_ARRAY);
if (textNode) {
emitValueOpen(textNode);
emitValueClose();
textNode = "";
}
state = VALUE;
} else if (c===']') {
if (textNode) {
emitValueOpen(textNode);
emitValueClose();
textNode = "";
}
emitValueClose();
depth--;
state = stack.pop() || VALUE;
} else if (whitespace(c))
continue;
else
return emitError('Bad array');
continue;
case STRING:
// thanks thejh, this is an about 50% performance improvement.
var starti = i-1;
STRING_BIGLOOP: while (true) {
// zero means "no unicode active". 1-4 mean "parse some more". end after 4.
while (unicodeI > 0) {
unicodeS += c;
c = chunk.charAt(i++);
if (unicodeI === 4) {
// TODO this might be slow? well, probably not used too often anyway
textNode += String.fromCharCode(parseInt(unicodeS, 16));
unicodeI = 0;
starti = i-1;
} else {
unicodeI++;
}
// we can just break here: no stuff we skipped that still has to be sliced out or so
if (!c) break STRING_BIGLOOP;
}
if (c === '"' && !slashed) {
state = stack.pop() || VALUE;
textNode += chunk.substring(starti, i-1);
if(!textNode) {
emitValueOpen("");
emitValueClose();
}
break;
}
if (c === '\\' && !slashed) {
slashed = true;
textNode += chunk.substring(starti, i-1);
c = chunk.charAt(i++);
if (!c) break;
}
if (slashed) {
slashed = false;
if (c === 'n') { textNode += '\n'; }
else if (c === 'r') { textNode += '\r'; }
else if (c === 't') { textNode += '\t'; }
else if (c === 'f') { textNode += '\f'; }
else if (c === 'b') { textNode += '\b'; }
else if (c === 'u') {
// \uxxxx. meh!
unicodeI = 1;
unicodeS = '';
} else {
textNode += c;
}
c = chunk.charAt(i++);
starti = i-1;
if (!c) break;
else continue;
}
stringTokenPattern.lastIndex = i;
var reResult = stringTokenPattern.exec(chunk);
if (!reResult) {
i = chunk.length+1;
textNode += chunk.substring(starti, i-1);
break;
}
i = reResult.index+1;
c = chunk.charAt(reResult.index);
if (!c) {
textNode += chunk.substring(starti, i-1);
break;
}
}
continue;
case TRUE:
if (!c) continue; // strange buffers
if (c==='r') state = TRUE2;
else
return emitError( 'Invalid true started with t'+ c);
continue;
case TRUE2:
if (!c) continue;
if (c==='u') state = TRUE3;
else
return emitError('Invalid true started with tr'+ c);
continue;
case TRUE3:
if (!c) continue;
if(c==='e') {
emitValueOpen(true);
emitValueClose();
state = stack.pop() || VALUE;
} else
return emitError('Invalid true started with tru'+ c);
continue;
case FALSE:
if (!c) continue;
if (c==='a') state = FALSE2;
else
return emitError('Invalid false started with f'+ c);
continue;
case FALSE2:
if (!c) continue;
if (c==='l') state = FALSE3;
else
return emitError('Invalid false started with fa'+ c);
continue;
case FALSE3:
if (!c) continue;
if (c==='s') state = FALSE4;
else
return emitError('Invalid false started with fal'+ c);
continue;
case FALSE4:
if (!c) continue;
if (c==='e') {
emitValueOpen(false);
emitValueClose();
state = stack.pop() || VALUE;
} else
return emitError('Invalid false started with fals'+ c);
continue;
case NULL:
if (!c) continue;
if (c==='u') state = NULL2;
else
return emitError('Invalid null started with n'+ c);
continue;
case NULL2:
if (!c) continue;
if (c==='l') state = NULL3;
else
return emitError('Invalid null started with nu'+ c);
continue;
case NULL3:
if (!c) continue;
if(c==='l') {
emitValueOpen(null);
emitValueClose();
state = stack.pop() || VALUE;
} else
return emitError('Invalid null started with nul'+ c);
continue;
case NUMBER_DECIMAL_POINT:
if(c==='.') {
numberNode += c;
state = NUMBER_DIGIT;
} else
return emitError('Leading zero not followed by .');
continue;
case NUMBER_DIGIT:
if('0123456789'.indexOf(c) !== -1) numberNode += c;
else if (c==='.') {
if(numberNode.indexOf('.')!==-1)
return emitError('Invalid number has two dots');
numberNode += c;
} else if (c==='e' || c==='E') {
if(numberNode.indexOf('e')!==-1 ||
numberNode.indexOf('E')!==-1 )
return emitError('Invalid number has two exponential');
numberNode += c;
} else if (c==="+" || c==="-") {
if(!(p==='e' || p==='E'))
return emitError('Invalid symbol in number');
numberNode += c;
} else {
if (numberNode) {
emitValueOpen(parseFloat(numberNode));
emitValueClose();
numberNode = "";
}
i--; // go back one
state = stack.pop() || VALUE;
}
continue;
default:
return emitError("Unknown state: " + state);
}
}
if (position >= bufferCheckPosition)
checkBufferLength();
}
}
/**
* A bridge used to assign stateless functions to listen to clarinet.
*
* As well as the parameter from clarinet, each callback will also be passed
* the result of the last callback.
*
* This may also be used to clear all listeners by assigning zero handlers:
*
* ascentManager( clarinet, {} )
*/
function ascentManager(oboeBus, handlers){
"use strict";
var listenerId = {},
ascent;
function stateAfter(handler) {
return function(param){
ascent = handler( ascent, param);
};
}
for( var eventName in handlers ) {
oboeBus(eventName).on(stateAfter(handlers[eventName]), listenerId);
}
oboeBus(NODE_SWAP).on(function(newNode) {
var oldHead = head(ascent),
key = keyOf(oldHead),
ancestors = tail(ascent),
parentNode;
if( ancestors ) {
parentNode = nodeOf(head(ancestors));
parentNode[key] = newNode;
}
});
oboeBus(NODE_DROP).on(function() {
var oldHead = head(ascent),
key = keyOf(oldHead),
ancestors = tail(ascent),
parentNode;
if( ancestors ) {
parentNode = nodeOf(head(ancestors));
delete parentNode[key];
}
});
oboeBus(ABORTING).on(function(){
for( var eventName in handlers ) {
oboeBus(eventName).un(listenerId);
}
});
}
// based on gist https://gist.github.com/monsur/706839
/**
* XmlHttpRequest's getAllResponseHeaders() method returns a string of response
* headers according to the format described here:
* http://www.w3.org/TR/XMLHttpRequest/#the-getallresponseheaders-method
* This method parses that string into a user-friendly key/value pair object.
*/
function parseResponseHeaders(headerStr) {
var headers = {};
headerStr && headerStr.split('\u000d\u000a')
.forEach(function(headerPair){
// Can't use split() here because it does the wrong thing
// if the header value has the string ": " in it.
var index = headerPair.indexOf('\u003a\u0020');
headers[headerPair.substring(0, index)]
= headerPair.substring(index + 2);
});
return headers;
}
/**
* Detect if a given URL is cross-origin in the scope of the
* current page.
*
* Browser only (since cross-origin has no meaning in Node.js)
*
* @param {Object} pageLocation - as in window.location
* @param {Object} ajaxHost - an object like window.location describing the
* origin of the url that we want to ajax in
*/
function isCrossOrigin(pageLocation, ajaxHost) {
/*
* NB: defaultPort only knows http and https.
* Returns undefined otherwise.
*/
function defaultPort(protocol) {
return {'http:':80, 'https:':443}[protocol];
}
function portOf(location) {
// pageLocation should always have a protocol. ajaxHost if no port or
// protocol is specified, should use the port of the containing page
return location.port || defaultPort(location.protocol||pageLocation.protocol);
}
// if ajaxHost doesn't give a domain, port is the same as pageLocation
// it can't give a protocol but not a domain
// it can't give a port but not a domain
return !!( ajaxHost.protocol && ajaxHost.protocol != pageLocation.protocol ||
ajaxHost.host && ajaxHost.host != pageLocation.host ||
ajaxHost.host && portOf(ajaxHost) != portOf(pageLocation)
);
}
/* turn any url into an object like window.location */
function parseUrlOrigin(url) {
// url could be domain-relative
// url could give a domain
// cross origin means:
// same domain
// same port
// some protocol
// so, same everything up to the first (single) slash
// if such is given
//
// can ignore everything after that
var URL_HOST_PATTERN = /(\w+:)?(?:\/\/)([\w.-]+)?(?::(\d+))?\/?/,
// if no match, use an empty array so that
// subexpressions 1,2,3 are all undefined
// and will ultimately return all empty
// strings as the parse result:
urlHostMatch = URL_HOST_PATTERN.exec(url) || [];
return {
protocol: urlHostMatch[1] || '',
host: urlHostMatch[2] || '',
port: urlHostMatch[3] || ''
};
}
function httpTransport(){
return new XMLHttpRequest();
}
/**
* A wrapper around the browser XmlHttpRequest object that raises an
* event whenever a new part of the response is available.
*
* In older browsers progressive reading is impossible so all the
* content is given in a single call. For newer ones several events
* should be raised, allowing progressive interpretation of the response.
*
* @param {Function} oboeBus an event bus local to this Oboe instance
* @param {XMLHttpRequest} xhr the xhr to use as the transport. Under normal
* operation, will have been created using httpTransport() above
* but for tests a stub can be provided instead.
* @param {String} method one of 'GET' 'POST' 'PUT' 'PATCH' 'DELETE'
* @param {String} url the url to make a request to
* @param {String|Null} data some content to be sent with the request.
* Only valid if method is POST or PUT.
* @param {Object} [headers] the http request headers to send
* @param {boolean} withCredentials the XHR withCredentials property will be
* set to this value
*/
function streamingHttp(oboeBus, xhr, method, url, data, headers, withCredentials) {
"use strict";
var emitStreamData = oboeBus(STREAM_DATA).emit,
emitFail = oboeBus(FAIL_EVENT).emit,
numberOfCharsAlreadyGivenToCallback = 0,
stillToSendStartEvent = true;
// When an ABORTING message is put on the event bus abort
// the ajax request
oboeBus( ABORTING ).on( function(){
// if we keep the onreadystatechange while aborting the XHR gives
// a callback like a successful call so first remove this listener
// by assigning null:
xhr.onreadystatechange = null;
xhr.abort();
});
/**
* Handle input from the underlying xhr: either a state change,
* the progress event or the request being complete.
*/
function handleProgress() {
var textSoFar = xhr.responseText,
newText = textSoFar.substr(numberOfCharsAlreadyGivenToCallback);
/* Raise the event for new text.
On older browsers, the new text is the whole response.
On newer/better ones, the fragment part that we got since
last progress. */
if( newText ) {
emitStreamData( newText );
}
numberOfCharsAlreadyGivenToCallback = len(textSoFar);
}
if('onprogress' in xhr){ // detect browser support for progressive delivery
xhr.onprogress = handleProgress;
}
xhr.onreadystatechange = function() {
function sendStartIfNotAlready() {
// Internet Explorer is very unreliable as to when xhr.status etc can
// be read so has to be protected with try/catch and tried again on
// the next readyState if it fails
try{
stillToSendStartEvent && oboeBus( HTTP_START ).emit(
xhr.status,
parseResponseHeaders(xhr.getAllResponseHeaders()) );
stillToSendStartEvent = false;
} catch(e){/* do nothing, will try again on next readyState*/}
}
switch( xhr.readyState ) {
case 2: // HEADERS_RECEIVED
case 3: // LOADING
return sendStartIfNotAlready();
case 4: // DONE
sendStartIfNotAlready(); // if xhr.status hasn't been available yet, it must be NOW, huh IE?
// is this a 2xx http code?
var successful = String(xhr.status)[0] == 2;
if( successful ) {
// In Chrome 29 (not 28) no onprogress is emitted when a response
// is complete before the onload. We need to always do handleInput
// in case we get the load but have not had a final progress event.
// This looks like a bug and may change in future but let's take
// the safest approach and assume we might not have received a
// progress event for each part of the response
handleProgress();
oboeBus(STREAM_END).emit();
} else {
emitFail( errorReport(
xhr.status,
xhr.responseText
));
}
}
};
try{
xhr.open(method, url, true);
for( var headerName in headers ){
xhr.setRequestHeader(headerName, headers[headerName]);
}
if( !isCrossOrigin(window.location, parseUrlOrigin(url)) ) {
xhr.setRequestHeader('X-Requested-With', 'XMLHttpRequest');
}
xhr.withCredentials = withCredentials;
xhr.send(data);
} catch( e ) {
// To keep a consistent interface with Node, we can't emit an event here.
// Node's streaming http adaptor receives the error as an asynchronous
// event rather than as an exception. If we emitted now, the Oboe user
// has had no chance to add a .fail listener so there is no way
// the event could be useful. For both these reasons defer the
// firing to the next JS frame.
window.setTimeout(
partialComplete(emitFail, errorReport(undefined, undefined, e))
, 0
);
}
}
var jsonPathSyntax = (function() {
var
/**
* Export a regular expression as a simple function by exposing just
* the Regex#exec. This allows regex tests to be used under the same
* interface as differently implemented tests, or for a user of the
* tests to not concern themselves with their implementation as regular
* expressions.
*
* This could also be expressed point-free as:
* Function.prototype.bind.bind(RegExp.prototype.exec),
*
* But that's far too confusing! (and not even smaller once minified
* and gzipped)
*/
regexDescriptor = function regexDescriptor(regex) {
return regex.exec.bind(regex);
}
/**
* Join several regular expressions and express as a function.
* This allows the token patterns to reuse component regular expressions
* instead of being expressed in full using huge and confusing regular
* expressions.
*/
, jsonPathClause = varArgs(function( componentRegexes ) {
// The regular expressions all start with ^ because we
// only want to find matches at the start of the
// JSONPath fragment we are inspecting
componentRegexes.unshift(/^/);
return regexDescriptor(
RegExp(
componentRegexes.map(attr('source')).join('')
)
);
})
, possiblyCapturing = /(\$?)/
, namedNode = /([\w-_]+|\*)/
, namePlaceholder = /()/
, nodeInArrayNotation = /\["([^"]+)"\]/
, numberedNodeInArrayNotation = /\[(\d+|\*)\]/
, fieldList = /{([\w ]*?)}/
, optionalFieldList = /(?:{([\w ]*?)})?/
// foo or *
, jsonPathNamedNodeInObjectNotation = jsonPathClause(
possiblyCapturing,
namedNode,
optionalFieldList
)
// ["foo"]
, jsonPathNamedNodeInArrayNotation = jsonPathClause(
possiblyCapturing,
nodeInArrayNotation,
optionalFieldList
)
// [2] or [*]
, jsonPathNumberedNodeInArrayNotation = jsonPathClause(
possiblyCapturing,
numberedNodeInArrayNotation,
optionalFieldList
)
// {a b c}
, jsonPathPureDuckTyping = jsonPathClause(
possiblyCapturing,
namePlaceholder,
fieldList
)
// ..
, jsonPathDoubleDot = jsonPathClause(/\.\./)
// .
, jsonPathDot = jsonPathClause(/\./)
// !
, jsonPathBang = jsonPathClause(
possiblyCapturing,
/!/
)
// nada!
, emptyString = jsonPathClause(/$/)
;
/* We export only a single function. When called, this function injects
into another function the descriptors from above.
*/
return function (fn){
return fn(
lazyUnion(
jsonPathNamedNodeInObjectNotation
, jsonPathNamedNodeInArrayNotation
, jsonPathNumberedNodeInArrayNotation
, jsonPathPureDuckTyping
)
, jsonPathDoubleDot
, jsonPathDot
, jsonPathBang
, emptyString
);
};
}());
/**
* Get a new key->node mapping
*
* @param {String|Number} key
* @param {Object|Array|String|Number|null} node a value found in the json
*/
function namedNode(key, node) {
return {key:key, node:node};
}
/** get the key of a namedNode */
var keyOf = attr('key');
/** get the node from a namedNode */
var nodeOf = attr('node');
/**
* This file provides various listeners which can be used to build up
* a changing ascent based on the callbacks provided by Clarinet. It listens
* to the low-level events from Clarinet and emits higher-level ones.
*
* The building up is stateless so to track a JSON file
* ascentManager.js is required to store the ascent state
* between calls.
*/
/**
* A special value to use in the path list to represent the path 'to' a root
* object (which doesn't really have any path). This prevents the need for
* special-casing detection of the root object and allows it to be treated
* like any other object. We might think of this as being similar to the
* 'unnamed root' domain ".", eg if I go to
* http://en.wikipedia.org./wiki/En/Main_page the dot after 'org' deliminates
* the unnamed root of the DNS.
*
* This is kept as an object to take advantage that in Javascript's OO objects
* are guaranteed to be distinct, therefore no other object can possibly clash
* with this one. Strings, numbers etc provide no such guarantee.
**/
var ROOT_PATH = {};
/**
* Create a new set of handlers for clarinet's events, bound to the emit
* function given.
*/
function incrementalContentBuilder( oboeBus ) {
var emitNodeOpened = oboeBus(NODE_OPENED).emit,
emitNodeClosed = oboeBus(NODE_CLOSED).emit,
emitRootOpened = oboeBus(ROOT_PATH_FOUND).emit,
emitRootClosed = oboeBus(ROOT_NODE_FOUND).emit;
function arrayIndicesAreKeys( possiblyInconsistentAscent, newDeepestNode) {
/* for values in arrays we aren't pre-warned of the coming paths
(Clarinet gives no call to onkey like it does for values in objects)
so if we are in an array we need to create this path ourselves. The
key will be len(parentNode) because array keys are always sequential
numbers. */
var parentNode = nodeOf( head( possiblyInconsistentAscent));
return isOfType( Array, parentNode)
?
keyFound( possiblyInconsistentAscent,
len(parentNode),
newDeepestNode
)
:
// nothing needed, return unchanged
possiblyInconsistentAscent
;
}
function nodeOpened( ascent, newDeepestNode ) {
if( !ascent ) {
// we discovered the root node,
emitRootOpened( newDeepestNode);
return keyFound( ascent, ROOT_PATH, newDeepestNode);
}
// we discovered a non-root node
var arrayConsistentAscent = arrayIndicesAreKeys( ascent, newDeepestNode),
ancestorBranches = tail( arrayConsistentAscent),
previouslyUnmappedName = keyOf( head( arrayConsistentAscent));
appendBuiltContent(
ancestorBranches,
previouslyUnmappedName,
newDeepestNode
);
return cons(
namedNode( previouslyUnmappedName, newDeepestNode ),
ancestorBranches
);
}
/**
* Add a new value to the object we are building up to represent the
* parsed JSON
*/
function appendBuiltContent( ancestorBranches, key, node ){
nodeOf( head( ancestorBranches))[key] = node;
}
/**
* For when we find a new key in the json.
*
* @param {String|Number|Object} newDeepestName the key. If we are in an
* array will be a number, otherwise a string. May take the special
* value ROOT_PATH if the root node has just been found
*
* @param {String|Number|Object|Array|Null|undefined} [maybeNewDeepestNode]
* usually this won't be known so can be undefined. Can't use null
* to represent unknown because null is a valid value in JSON
**/
function keyFound(ascent, newDeepestName, maybeNewDeepestNode) {
if( ascent ) { // if not root
// If we have the key but (unless adding to an array) no known value
// yet. Put that key in the output but against no defined value:
appendBuiltContent( ascent, newDeepestName, maybeNewDeepestNode );
}
var ascentWithNewPath = cons(
namedNode( newDeepestName,
maybeNewDeepestNode),
ascent
);
emitNodeOpened( ascentWithNewPath);
return ascentWithNewPath;
}
/**
* For when the current node ends.
*/
function nodeClosed( ascent ) {
emitNodeClosed( ascent);
return tail( ascent) ||
// If there are no nodes left in the ascent the root node
// just closed. Emit a special event for this:
emitRootClosed(nodeOf(head(ascent)));
}
var contentBuilderHandlers = {};
contentBuilderHandlers[SAX_VALUE_OPEN] = nodeOpened;
contentBuilderHandlers[SAX_VALUE_CLOSE] = nodeClosed;
contentBuilderHandlers[SAX_KEY] = keyFound;
return contentBuilderHandlers;
}
/**
* The jsonPath evaluator compiler used for Oboe.js.
*
* One function is exposed. This function takes a String JSONPath spec and
* returns a function to test candidate ascents for matches.
*
* String jsonPath -> (List ascent) -> Boolean|Object
*
* This file is coded in a pure functional style. That is, no function has
* side effects, every function evaluates to the same value for the same
* arguments and no variables are reassigned.
*/
// the call to jsonPathSyntax injects the token syntaxes that are needed
// inside the compiler
var jsonPathCompiler = jsonPathSyntax(function (pathNodeSyntax,
doubleDotSyntax,
dotSyntax,
bangSyntax,
emptySyntax ) {
var CAPTURING_INDEX = 1;
var NAME_INDEX = 2;
var FIELD_LIST_INDEX = 3;
var headKey = compose2(keyOf, head),
headNode = compose2(nodeOf, head);
/**
* Create an evaluator function for a named path node, expressed in the
* JSONPath like:
* foo
* ["bar"]
* [2]
*/
function nameClause(previousExpr, detection ) {
var name = detection[NAME_INDEX],
matchesName = !name || name == '*'
? always
: function(ascent){return headKey(ascent) == name;};
return lazyIntersection(matchesName, previousExpr);
}
/**
* Create an evaluator function for a a duck-typed node, expressed like:
*
* {spin, taste, colour}
* .particle{spin, taste, colour}
* *{spin, taste, colour}
*/
function duckTypeClause(previousExpr, detection) {
var fieldListStr = detection[FIELD_LIST_INDEX];
if (!fieldListStr)
return previousExpr; // don't wrap at all, return given expr as-is
var hasAllrequiredFields = partialComplete(
hasAllProperties,