new license file version [CI SKIP]
This commit is contained in:
@@ -0,0 +1,3 @@
|
||||
import { Observable } from '../Observable';
|
||||
import { SchedulerLike } from '../types';
|
||||
export declare function schedulePromise<T>(input: PromiseLike<T>, scheduler: SchedulerLike): Observable<T>;
|
||||
@@ -0,0 +1,7 @@
|
||||
"use strict";
|
||||
function __export(m) {
|
||||
for (var p in m) if (!exports.hasOwnProperty(p)) exports[p] = m[p];
|
||||
}
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
__export(require("rxjs-compat/scheduler/queue"));
|
||||
//# sourceMappingURL=queue.js.map
|
||||
@@ -0,0 +1 @@
|
||||
export * from 'rxjs-compat/operators/mergeAll';
|
||||
@@ -0,0 +1,174 @@
|
||||
import { Observable } from '../Observable';
|
||||
import { Operator } from '../Operator';
|
||||
import { Subscriber } from '../Subscriber';
|
||||
import { Subscription } from '../Subscription';
|
||||
import { MonoTypeOperatorFunction, OperatorFunction, ObservableInput, SchedulerLike } from '../types';
|
||||
import { SimpleOuterSubscriber, innerSubscribe, SimpleInnerSubscriber } from '../innerSubscribe';
|
||||
|
||||
/* tslint:disable:max-line-length */
|
||||
export function expand<T, R>(project: (value: T, index: number) => ObservableInput<R>, concurrent?: number, scheduler?: SchedulerLike): OperatorFunction<T, R>;
|
||||
export function expand<T>(project: (value: T, index: number) => ObservableInput<T>, concurrent?: number, scheduler?: SchedulerLike): MonoTypeOperatorFunction<T>;
|
||||
/* tslint:enable:max-line-length */
|
||||
|
||||
/**
|
||||
* Recursively projects each source value to an Observable which is merged in
|
||||
* the output Observable.
|
||||
*
|
||||
* <span class="informal">It's similar to {@link mergeMap}, but applies the
|
||||
* projection function to every source value as well as every output value.
|
||||
* It's recursive.</span>
|
||||
*
|
||||
* 
|
||||
*
|
||||
* Returns an Observable that emits items based on applying a function that you
|
||||
* supply to each item emitted by the source Observable, where that function
|
||||
* returns an Observable, and then merging those resulting Observables and
|
||||
* emitting the results of this merger. *Expand* will re-emit on the output
|
||||
* Observable every source value. Then, each output value is given to the
|
||||
* `project` function which returns an inner Observable to be merged on the
|
||||
* output Observable. Those output values resulting from the projection are also
|
||||
* given to the `project` function to produce new output values. This is how
|
||||
* *expand* behaves recursively.
|
||||
*
|
||||
* ## Example
|
||||
* Start emitting the powers of two on every click, at most 10 of them
|
||||
* ```ts
|
||||
* import { fromEvent, of } from 'rxjs';
|
||||
* import { expand, mapTo, delay, take } from 'rxjs/operators';
|
||||
*
|
||||
* const clicks = fromEvent(document, 'click');
|
||||
* const powersOfTwo = clicks.pipe(
|
||||
* mapTo(1),
|
||||
* expand(x => of(2 * x).pipe(delay(1000))),
|
||||
* take(10),
|
||||
* );
|
||||
* powersOfTwo.subscribe(x => console.log(x));
|
||||
* ```
|
||||
*
|
||||
* @see {@link mergeMap}
|
||||
* @see {@link mergeScan}
|
||||
*
|
||||
* @param {function(value: T, index: number) => Observable} project A function
|
||||
* that, when applied to an item emitted by the source or the output Observable,
|
||||
* returns an Observable.
|
||||
* @param {number} [concurrent=Number.POSITIVE_INFINITY] Maximum number of input
|
||||
* Observables being subscribed to concurrently.
|
||||
* @param {SchedulerLike} [scheduler=null] The {@link SchedulerLike} to use for subscribing to
|
||||
* each projected inner Observable.
|
||||
* @return {Observable} An Observable that emits the source values and also
|
||||
* result of applying the projection function to each value emitted on the
|
||||
* output Observable and and merging the results of the Observables obtained
|
||||
* from this transformation.
|
||||
* @method expand
|
||||
* @owner Observable
|
||||
*/
|
||||
export function expand<T, R>(project: (value: T, index: number) => ObservableInput<R>,
|
||||
concurrent: number = Number.POSITIVE_INFINITY,
|
||||
scheduler?: SchedulerLike): OperatorFunction<T, R> {
|
||||
concurrent = (concurrent || 0) < 1 ? Number.POSITIVE_INFINITY : concurrent;
|
||||
|
||||
return (source: Observable<T>) => source.lift(new ExpandOperator(project, concurrent, scheduler));
|
||||
}
|
||||
|
||||
export class ExpandOperator<T, R> implements Operator<T, R> {
|
||||
constructor(private project: (value: T, index: number) => ObservableInput<R>,
|
||||
private concurrent: number,
|
||||
private scheduler?: SchedulerLike) {
|
||||
}
|
||||
|
||||
call(subscriber: Subscriber<R>, source: any): any {
|
||||
return source.subscribe(new ExpandSubscriber(subscriber, this.project, this.concurrent, this.scheduler));
|
||||
}
|
||||
}
|
||||
|
||||
interface DispatchArg<T, R> {
|
||||
subscriber: ExpandSubscriber<T, R>;
|
||||
result: ObservableInput<R>;
|
||||
value: any;
|
||||
index: number;
|
||||
}
|
||||
|
||||
/**
|
||||
* We need this JSDoc comment for affecting ESDoc.
|
||||
* @ignore
|
||||
* @extends {Ignored}
|
||||
*/
|
||||
export class ExpandSubscriber<T, R> extends SimpleOuterSubscriber<T, R> {
|
||||
private index: number = 0;
|
||||
private active: number = 0;
|
||||
private hasCompleted: boolean = false;
|
||||
private buffer?: any[];
|
||||
|
||||
constructor(destination: Subscriber<R>,
|
||||
private project: (value: T, index: number) => ObservableInput<R>,
|
||||
private concurrent: number,
|
||||
private scheduler?: SchedulerLike) {
|
||||
super(destination);
|
||||
if (concurrent < Number.POSITIVE_INFINITY) {
|
||||
this.buffer = [];
|
||||
}
|
||||
}
|
||||
|
||||
private static dispatch<T, R>(arg: DispatchArg<T, R>): void {
|
||||
const {subscriber, result, value, index} = arg;
|
||||
subscriber.subscribeToProjection(result, value, index);
|
||||
}
|
||||
|
||||
protected _next(value: any): void {
|
||||
const destination = this.destination;
|
||||
|
||||
if (destination.closed) {
|
||||
this._complete();
|
||||
return;
|
||||
}
|
||||
|
||||
const index = this.index++;
|
||||
if (this.active < this.concurrent) {
|
||||
destination.next!(value);
|
||||
try {
|
||||
const { project } = this;
|
||||
const result = project(value, index);
|
||||
if (!this.scheduler) {
|
||||
this.subscribeToProjection(result, value, index);
|
||||
} else {
|
||||
const state: DispatchArg<T, R> = { subscriber: this, result, value, index };
|
||||
const destination = this.destination as Subscription;
|
||||
destination.add(this.scheduler.schedule<DispatchArg<T, R>>(ExpandSubscriber.dispatch as any, 0, state));
|
||||
}
|
||||
} catch (e) {
|
||||
destination.error!(e);
|
||||
}
|
||||
} else {
|
||||
this.buffer!.push(value);
|
||||
}
|
||||
}
|
||||
|
||||
private subscribeToProjection(result: any, value: T, index: number): void {
|
||||
this.active++;
|
||||
const destination = this.destination as Subscription;
|
||||
destination.add(innerSubscribe(result, new SimpleInnerSubscriber(this)));
|
||||
}
|
||||
|
||||
protected _complete(): void {
|
||||
this.hasCompleted = true;
|
||||
if (this.hasCompleted && this.active === 0) {
|
||||
this.destination.complete!();
|
||||
}
|
||||
this.unsubscribe();
|
||||
}
|
||||
|
||||
notifyNext(innerValue: R): void {
|
||||
this._next(innerValue);
|
||||
}
|
||||
|
||||
notifyComplete(): void {
|
||||
const buffer = this.buffer;
|
||||
this.active--;
|
||||
if (buffer && buffer.length > 0) {
|
||||
this._next(buffer.shift());
|
||||
}
|
||||
if (this.hasCompleted && this.active === 0) {
|
||||
this.destination.complete!();
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1 @@
|
||||
module.exports={A:{A:{"2":"J E F G BC","33":"A B"},B:{"1":"p q r s D t","33":"C K L H M N O","132":"P Q R S T U V W","260":"X Y Z a b c d f g h i j k l m n o"},C:{"1":"JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t xB yB","2":"CC tB I u DC EC","33":"0 1 2 3 4 5 6 7 8 9 J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB"},D:{"1":"X Y Z a b c d f g h i j k l m n o p q r s D t xB yB FC","2":"0 1 2 3 4 5 6 7 8 9 I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB","132":"VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R S T U V W"},E:{"2":"I u GC zB","33":"J E F G A B C K L H HC IC JC KC 0B qB rB 1B LC MC 2B 3B 4B 5B sB 6B 7B 8B NC"},F:{"1":"a b c d","2":"0 1 2 3 4 5 6 7 8 9 G B C H M N O v w x y z AB BB CB DB EB FB GB HB OC PC QC RC qB 9B SC rB","132":"IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB ZB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z"},G:{"2":"zB TC","33":"F AC UC VC WC XC YC ZC aC bC cC dC eC fC gC hC iC jC kC lC mC 2B 3B 4B 5B sB 6B 7B 8B"},H:{"2":"nC"},I:{"1":"D","2":"tB I oC pC qC rC AC sC tC"},J:{"2":"E A"},K:{"1":"e","2":"A B C qB 9B rB"},L:{"1":"D"},M:{"1":"D"},N:{"2":"A B"},O:{"4":"uC"},P:{"1":"wC xC yC zC 0B 0C 1C 2C 3C 4C sB 5C 6C 7C","2":"I","132":"vC"},Q:{"1":"1B"},R:{"1":"8C"},S:{"1":"9C"}},B:4,C:"CSS Hyphenation"};
|
||||
@@ -0,0 +1 @@
|
||||
module.exports={A:{A:{"1":"G A B","8":"J BC","129":"E","257":"F"},B:{"1":"C K L H M N O P Q R S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t"},C:{"1":"0 1 2 3 4 5 6 7 8 9 CC tB I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t xB yB DC EC"},D:{"1":"0 1 2 3 4 5 6 7 8 9 I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t xB yB FC"},E:{"1":"I u J E F G A B C K L H GC zB HC IC JC KC 0B qB rB 1B LC MC 2B 3B 4B 5B sB 6B 7B 8B NC"},F:{"1":"0 1 2 3 4 5 6 7 8 9 G B C H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB ZB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z a b c d OC PC QC RC qB 9B SC rB"},G:{"1":"F zB TC AC UC VC WC XC YC ZC aC bC cC dC eC fC gC hC iC jC kC lC mC 2B 3B 4B 5B sB 6B 7B 8B"},H:{"1":"nC"},I:{"1":"tB I D oC pC qC rC AC sC tC"},J:{"1":"E A"},K:{"1":"A B C e qB 9B rB"},L:{"1":"D"},M:{"1":"D"},N:{"1":"A B"},O:{"1":"uC"},P:{"1":"I vC wC xC yC zC 0B 0C 1C 2C 3C 4C sB 5C 6C 7C"},Q:{"1":"1B"},R:{"1":"8C"},S:{"1":"9C"}},B:2,C:"CSS min/max-width/height"};
|
||||
@@ -0,0 +1,82 @@
|
||||
/** PURE_IMPORTS_START tslib,_Subject,_innerSubscribe PURE_IMPORTS_END */
|
||||
import * as tslib_1 from "tslib";
|
||||
import { Subject } from '../Subject';
|
||||
import { SimpleOuterSubscriber, innerSubscribe, SimpleInnerSubscriber } from '../innerSubscribe';
|
||||
export function repeatWhen(notifier) {
|
||||
return function (source) { return source.lift(new RepeatWhenOperator(notifier)); };
|
||||
}
|
||||
var RepeatWhenOperator = /*@__PURE__*/ (function () {
|
||||
function RepeatWhenOperator(notifier) {
|
||||
this.notifier = notifier;
|
||||
}
|
||||
RepeatWhenOperator.prototype.call = function (subscriber, source) {
|
||||
return source.subscribe(new RepeatWhenSubscriber(subscriber, this.notifier, source));
|
||||
};
|
||||
return RepeatWhenOperator;
|
||||
}());
|
||||
var RepeatWhenSubscriber = /*@__PURE__*/ (function (_super) {
|
||||
tslib_1.__extends(RepeatWhenSubscriber, _super);
|
||||
function RepeatWhenSubscriber(destination, notifier, source) {
|
||||
var _this = _super.call(this, destination) || this;
|
||||
_this.notifier = notifier;
|
||||
_this.source = source;
|
||||
_this.sourceIsBeingSubscribedTo = true;
|
||||
return _this;
|
||||
}
|
||||
RepeatWhenSubscriber.prototype.notifyNext = function () {
|
||||
this.sourceIsBeingSubscribedTo = true;
|
||||
this.source.subscribe(this);
|
||||
};
|
||||
RepeatWhenSubscriber.prototype.notifyComplete = function () {
|
||||
if (this.sourceIsBeingSubscribedTo === false) {
|
||||
return _super.prototype.complete.call(this);
|
||||
}
|
||||
};
|
||||
RepeatWhenSubscriber.prototype.complete = function () {
|
||||
this.sourceIsBeingSubscribedTo = false;
|
||||
if (!this.isStopped) {
|
||||
if (!this.retries) {
|
||||
this.subscribeToRetries();
|
||||
}
|
||||
if (!this.retriesSubscription || this.retriesSubscription.closed) {
|
||||
return _super.prototype.complete.call(this);
|
||||
}
|
||||
this._unsubscribeAndRecycle();
|
||||
this.notifications.next(undefined);
|
||||
}
|
||||
};
|
||||
RepeatWhenSubscriber.prototype._unsubscribe = function () {
|
||||
var _a = this, notifications = _a.notifications, retriesSubscription = _a.retriesSubscription;
|
||||
if (notifications) {
|
||||
notifications.unsubscribe();
|
||||
this.notifications = undefined;
|
||||
}
|
||||
if (retriesSubscription) {
|
||||
retriesSubscription.unsubscribe();
|
||||
this.retriesSubscription = undefined;
|
||||
}
|
||||
this.retries = undefined;
|
||||
};
|
||||
RepeatWhenSubscriber.prototype._unsubscribeAndRecycle = function () {
|
||||
var _unsubscribe = this._unsubscribe;
|
||||
this._unsubscribe = null;
|
||||
_super.prototype._unsubscribeAndRecycle.call(this);
|
||||
this._unsubscribe = _unsubscribe;
|
||||
return this;
|
||||
};
|
||||
RepeatWhenSubscriber.prototype.subscribeToRetries = function () {
|
||||
this.notifications = new Subject();
|
||||
var retries;
|
||||
try {
|
||||
var notifier = this.notifier;
|
||||
retries = notifier(this.notifications);
|
||||
}
|
||||
catch (e) {
|
||||
return _super.prototype.complete.call(this);
|
||||
}
|
||||
this.retries = retries;
|
||||
this.retriesSubscription = innerSubscribe(retries, new SimpleInnerSubscriber(this));
|
||||
};
|
||||
return RepeatWhenSubscriber;
|
||||
}(SimpleOuterSubscriber));
|
||||
//# sourceMappingURL=repeatWhen.js.map
|
||||
File diff suppressed because one or more lines are too long
@@ -0,0 +1 @@
|
||||
module.exports={A:{A:{"2":"J E F G A B BC"},B:{"1":"P Q R S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t","2":"C K L H M N O"},C:{"1":"s D t xB yB","2":"0 1 2 3 4 5 6 7 8 9 CC tB I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z a b c d f g h i j k l m n o p q r DC EC"},D:{"1":"JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t xB yB FC","2":"0 1 2 3 4 5 6 7 8 9 I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB"},E:{"2":"I u J E F G A B C K L H GC zB HC IC JC KC 0B qB rB 1B LC MC 2B 3B 4B 5B sB 6B 7B 8B NC"},F:{"1":"6 7 8 9 AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB ZB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z a b c d","2":"0 1 2 3 4 5 G B C H M N O v w x y z OC PC QC RC qB 9B SC rB"},G:{"2":"F zB TC AC UC VC WC XC YC ZC aC bC cC dC eC fC gC hC iC jC kC lC mC 2B 3B 4B 5B sB 6B 7B 8B"},H:{"2":"nC"},I:{"1":"D","2":"tB I oC pC qC rC AC sC tC"},J:{"2":"E A"},K:{"1":"e","2":"A B C qB 9B rB"},L:{"1":"D"},M:{"2":"D"},N:{"2":"A B"},O:{"1":"uC"},P:{"1":"I vC wC xC yC zC 0B 0C 1C 2C 3C 4C sB 5C 6C 7C"},Q:{"1":"1B"},R:{"1":"8C"},S:{"2":"9C"}},B:5,C:"Web MIDI API"};
|
||||
@@ -0,0 +1 @@
|
||||
module.exports={A:{A:{"1":"F G A B","2":"BC","8":"J E"},B:{"1":"C K L H M N O P Q R S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t"},C:{"1":"0 1 2 3 4 5 6 7 8 9 I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t xB yB DC EC","4":"CC tB"},D:{"1":"0 1 2 3 4 5 6 7 8 9 I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t xB yB FC"},E:{"1":"I u J E F G A B C K L H HC IC JC KC 0B qB rB 1B LC MC 2B 3B 4B 5B sB 6B 7B 8B NC","2":"GC zB"},F:{"1":"0 1 2 3 4 5 6 7 8 9 B C H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB ZB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z a b c d QC RC qB 9B SC rB","2":"G OC PC"},G:{"1":"F zB TC AC UC VC WC XC YC ZC aC bC cC dC eC fC gC hC iC jC kC lC mC 2B 3B 4B 5B sB 6B 7B 8B"},H:{"2":"nC"},I:{"1":"tB I D oC pC qC rC AC sC tC"},J:{"1":"E A"},K:{"1":"B C e qB 9B rB","2":"A"},L:{"1":"D"},M:{"1":"D"},N:{"1":"A B"},O:{"1":"uC"},P:{"1":"I vC wC xC yC zC 0B 0C 1C 2C 3C 4C sB 5C 6C 7C"},Q:{"1":"1B"},R:{"1":"8C"},S:{"1":"9C"}},B:1,C:"Web Storage - name/value pairs"};
|
||||
File diff suppressed because one or more lines are too long
@@ -0,0 +1,56 @@
|
||||
{
|
||||
"name": "@octokit/request",
|
||||
"description": "Send parameterized requests to GitHub's APIs with sensible defaults in browsers and Node",
|
||||
"version": "5.6.3",
|
||||
"license": "MIT",
|
||||
"files": [
|
||||
"dist-*/",
|
||||
"bin/"
|
||||
],
|
||||
"pika": true,
|
||||
"sideEffects": false,
|
||||
"keywords": [
|
||||
"octokit",
|
||||
"github",
|
||||
"api",
|
||||
"request"
|
||||
],
|
||||
"repository": "github:octokit/request.js",
|
||||
"dependencies": {
|
||||
"@octokit/endpoint": "^6.0.1",
|
||||
"@octokit/request-error": "^2.1.0",
|
||||
"@octokit/types": "^6.16.1",
|
||||
"is-plain-object": "^5.0.0",
|
||||
"node-fetch": "^2.6.7",
|
||||
"universal-user-agent": "^6.0.0"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@octokit/auth-app": "^3.0.0",
|
||||
"@pika/pack": "^0.5.0",
|
||||
"@pika/plugin-build-node": "^0.9.0",
|
||||
"@pika/plugin-build-web": "^0.9.0",
|
||||
"@pika/plugin-ts-standard-pkg": "^0.9.0",
|
||||
"@types/fetch-mock": "^7.2.4",
|
||||
"@types/jest": "^27.0.0",
|
||||
"@types/lolex": "^5.1.0",
|
||||
"@types/node": "^14.0.0",
|
||||
"@types/node-fetch": "^2.3.3",
|
||||
"@types/once": "^1.4.0",
|
||||
"fetch-mock": "^9.3.1",
|
||||
"jest": "^27.0.0",
|
||||
"lolex": "^6.0.0",
|
||||
"prettier": "2.4.1",
|
||||
"semantic-release": "^18.0.0",
|
||||
"semantic-release-plugin-update-version-in-files": "^1.0.0",
|
||||
"string-to-arraybuffer": "^1.0.2",
|
||||
"ts-jest": "^27.0.0",
|
||||
"typescript": "^4.0.2"
|
||||
},
|
||||
"publishConfig": {
|
||||
"access": "public"
|
||||
},
|
||||
"source": "dist-src/index.js",
|
||||
"types": "dist-types/index.d.ts",
|
||||
"main": "dist-node/index.js",
|
||||
"module": "dist-web/index.js"
|
||||
}
|
||||
@@ -0,0 +1,123 @@
|
||||
"use strict";
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
var config_1 = require("../internal/config");
|
||||
exports.config = config_1.config;
|
||||
var InnerSubscriber_1 = require("../internal/InnerSubscriber");
|
||||
exports.InnerSubscriber = InnerSubscriber_1.InnerSubscriber;
|
||||
var OuterSubscriber_1 = require("../internal/OuterSubscriber");
|
||||
exports.OuterSubscriber = OuterSubscriber_1.OuterSubscriber;
|
||||
var Scheduler_1 = require("../internal/Scheduler");
|
||||
exports.Scheduler = Scheduler_1.Scheduler;
|
||||
var Subject_1 = require("../internal/Subject");
|
||||
exports.AnonymousSubject = Subject_1.AnonymousSubject;
|
||||
var SubjectSubscription_1 = require("../internal/SubjectSubscription");
|
||||
exports.SubjectSubscription = SubjectSubscription_1.SubjectSubscription;
|
||||
var Subscriber_1 = require("../internal/Subscriber");
|
||||
exports.Subscriber = Subscriber_1.Subscriber;
|
||||
var fromPromise_1 = require("../internal/observable/fromPromise");
|
||||
exports.fromPromise = fromPromise_1.fromPromise;
|
||||
var fromIterable_1 = require("../internal/observable/fromIterable");
|
||||
exports.fromIterable = fromIterable_1.fromIterable;
|
||||
var ajax_1 = require("../internal/observable/dom/ajax");
|
||||
exports.ajax = ajax_1.ajax;
|
||||
var webSocket_1 = require("../internal/observable/dom/webSocket");
|
||||
exports.webSocket = webSocket_1.webSocket;
|
||||
var AjaxObservable_1 = require("../internal/observable/dom/AjaxObservable");
|
||||
exports.ajaxGet = AjaxObservable_1.ajaxGet;
|
||||
exports.ajaxPost = AjaxObservable_1.ajaxPost;
|
||||
exports.ajaxDelete = AjaxObservable_1.ajaxDelete;
|
||||
exports.ajaxPut = AjaxObservable_1.ajaxPut;
|
||||
exports.ajaxPatch = AjaxObservable_1.ajaxPatch;
|
||||
exports.ajaxGetJSON = AjaxObservable_1.ajaxGetJSON;
|
||||
exports.AjaxObservable = AjaxObservable_1.AjaxObservable;
|
||||
exports.AjaxSubscriber = AjaxObservable_1.AjaxSubscriber;
|
||||
exports.AjaxResponse = AjaxObservable_1.AjaxResponse;
|
||||
exports.AjaxError = AjaxObservable_1.AjaxError;
|
||||
exports.AjaxTimeoutError = AjaxObservable_1.AjaxTimeoutError;
|
||||
var WebSocketSubject_1 = require("../internal/observable/dom/WebSocketSubject");
|
||||
exports.WebSocketSubject = WebSocketSubject_1.WebSocketSubject;
|
||||
var combineLatest_1 = require("../internal/observable/combineLatest");
|
||||
exports.CombineLatestOperator = combineLatest_1.CombineLatestOperator;
|
||||
var range_1 = require("../internal/observable/range");
|
||||
exports.dispatch = range_1.dispatch;
|
||||
var SubscribeOnObservable_1 = require("../internal/observable/SubscribeOnObservable");
|
||||
exports.SubscribeOnObservable = SubscribeOnObservable_1.SubscribeOnObservable;
|
||||
var timestamp_1 = require("../internal/operators/timestamp");
|
||||
exports.Timestamp = timestamp_1.Timestamp;
|
||||
var timeInterval_1 = require("../internal/operators/timeInterval");
|
||||
exports.TimeInterval = timeInterval_1.TimeInterval;
|
||||
var groupBy_1 = require("../internal/operators/groupBy");
|
||||
exports.GroupedObservable = groupBy_1.GroupedObservable;
|
||||
var throttle_1 = require("../internal/operators/throttle");
|
||||
exports.defaultThrottleConfig = throttle_1.defaultThrottleConfig;
|
||||
var rxSubscriber_1 = require("../internal/symbol/rxSubscriber");
|
||||
exports.rxSubscriber = rxSubscriber_1.rxSubscriber;
|
||||
var iterator_1 = require("../internal/symbol/iterator");
|
||||
exports.iterator = iterator_1.iterator;
|
||||
var observable_1 = require("../internal/symbol/observable");
|
||||
exports.observable = observable_1.observable;
|
||||
var ArgumentOutOfRangeError_1 = require("../internal/util/ArgumentOutOfRangeError");
|
||||
exports.ArgumentOutOfRangeError = ArgumentOutOfRangeError_1.ArgumentOutOfRangeError;
|
||||
var EmptyError_1 = require("../internal/util/EmptyError");
|
||||
exports.EmptyError = EmptyError_1.EmptyError;
|
||||
var Immediate_1 = require("../internal/util/Immediate");
|
||||
exports.Immediate = Immediate_1.Immediate;
|
||||
var ObjectUnsubscribedError_1 = require("../internal/util/ObjectUnsubscribedError");
|
||||
exports.ObjectUnsubscribedError = ObjectUnsubscribedError_1.ObjectUnsubscribedError;
|
||||
var TimeoutError_1 = require("../internal/util/TimeoutError");
|
||||
exports.TimeoutError = TimeoutError_1.TimeoutError;
|
||||
var UnsubscriptionError_1 = require("../internal/util/UnsubscriptionError");
|
||||
exports.UnsubscriptionError = UnsubscriptionError_1.UnsubscriptionError;
|
||||
var applyMixins_1 = require("../internal/util/applyMixins");
|
||||
exports.applyMixins = applyMixins_1.applyMixins;
|
||||
var errorObject_1 = require("../internal/util/errorObject");
|
||||
exports.errorObject = errorObject_1.errorObject;
|
||||
var hostReportError_1 = require("../internal/util/hostReportError");
|
||||
exports.hostReportError = hostReportError_1.hostReportError;
|
||||
var identity_1 = require("../internal/util/identity");
|
||||
exports.identity = identity_1.identity;
|
||||
var isArray_1 = require("../internal/util/isArray");
|
||||
exports.isArray = isArray_1.isArray;
|
||||
var isArrayLike_1 = require("../internal/util/isArrayLike");
|
||||
exports.isArrayLike = isArrayLike_1.isArrayLike;
|
||||
var isDate_1 = require("../internal/util/isDate");
|
||||
exports.isDate = isDate_1.isDate;
|
||||
var isFunction_1 = require("../internal/util/isFunction");
|
||||
exports.isFunction = isFunction_1.isFunction;
|
||||
var isIterable_1 = require("../internal/util/isIterable");
|
||||
exports.isIterable = isIterable_1.isIterable;
|
||||
var isNumeric_1 = require("../internal/util/isNumeric");
|
||||
exports.isNumeric = isNumeric_1.isNumeric;
|
||||
var isObject_1 = require("../internal/util/isObject");
|
||||
exports.isObject = isObject_1.isObject;
|
||||
var isInteropObservable_1 = require("../internal/util/isInteropObservable");
|
||||
exports.isObservable = isInteropObservable_1.isInteropObservable;
|
||||
var isPromise_1 = require("../internal/util/isPromise");
|
||||
exports.isPromise = isPromise_1.isPromise;
|
||||
var isScheduler_1 = require("../internal/util/isScheduler");
|
||||
exports.isScheduler = isScheduler_1.isScheduler;
|
||||
var noop_1 = require("../internal/util/noop");
|
||||
exports.noop = noop_1.noop;
|
||||
var not_1 = require("../internal/util/not");
|
||||
exports.not = not_1.not;
|
||||
var pipe_1 = require("../internal/util/pipe");
|
||||
exports.pipe = pipe_1.pipe;
|
||||
var root_1 = require("../internal/util/root");
|
||||
exports.root = root_1.root;
|
||||
var subscribeTo_1 = require("../internal/util/subscribeTo");
|
||||
exports.subscribeTo = subscribeTo_1.subscribeTo;
|
||||
var subscribeToArray_1 = require("../internal/util/subscribeToArray");
|
||||
exports.subscribeToArray = subscribeToArray_1.subscribeToArray;
|
||||
var subscribeToIterable_1 = require("../internal/util/subscribeToIterable");
|
||||
exports.subscribeToIterable = subscribeToIterable_1.subscribeToIterable;
|
||||
var subscribeToObservable_1 = require("../internal/util/subscribeToObservable");
|
||||
exports.subscribeToObservable = subscribeToObservable_1.subscribeToObservable;
|
||||
var subscribeToPromise_1 = require("../internal/util/subscribeToPromise");
|
||||
exports.subscribeToPromise = subscribeToPromise_1.subscribeToPromise;
|
||||
var subscribeToResult_1 = require("../internal/util/subscribeToResult");
|
||||
exports.subscribeToResult = subscribeToResult_1.subscribeToResult;
|
||||
var toSubscriber_1 = require("../internal/util/toSubscriber");
|
||||
exports.toSubscriber = toSubscriber_1.toSubscriber;
|
||||
var tryCatch_1 = require("../internal/util/tryCatch");
|
||||
exports.tryCatch = tryCatch_1.tryCatch;
|
||||
//# sourceMappingURL=index.js.map
|
||||
@@ -0,0 +1,87 @@
|
||||
import { Observable } from '../Observable';
|
||||
import { OperatorFunction, SchedulerLike } from '../types';
|
||||
/**
|
||||
* Branch out the source Observable values as a nested Observable periodically
|
||||
* in time.
|
||||
*
|
||||
* <span class="informal">It's like {@link bufferTime}, but emits a nested
|
||||
* Observable instead of an array.</span>
|
||||
*
|
||||
* 
|
||||
*
|
||||
* Returns an Observable that emits windows of items it collects from the source
|
||||
* Observable. The output Observable starts a new window periodically, as
|
||||
* determined by the `windowCreationInterval` argument. It emits each window
|
||||
* after a fixed timespan, specified by the `windowTimeSpan` argument. When the
|
||||
* source Observable completes or encounters an error, the output Observable
|
||||
* emits the current window and propagates the notification from the source
|
||||
* Observable. If `windowCreationInterval` is not provided, the output
|
||||
* Observable starts a new window when the previous window of duration
|
||||
* `windowTimeSpan` completes. If `maxWindowCount` is provided, each window
|
||||
* will emit at most fixed number of values. Window will complete immediately
|
||||
* after emitting last value and next one still will open as specified by
|
||||
* `windowTimeSpan` and `windowCreationInterval` arguments.
|
||||
*
|
||||
* ## Examples
|
||||
* In every window of 1 second each, emit at most 2 click events
|
||||
* ```ts
|
||||
* import { fromEvent } from 'rxjs';
|
||||
* import { windowTime, map, mergeAll, take } from 'rxjs/operators';
|
||||
*
|
||||
* const clicks = fromEvent(document, 'click');
|
||||
* const result = clicks.pipe(
|
||||
* windowTime(1000),
|
||||
* map(win => win.pipe(take(2))), // each window has at most 2 emissions
|
||||
* mergeAll(), // flatten the Observable-of-Observables
|
||||
* );
|
||||
* result.subscribe(x => console.log(x));
|
||||
* ```
|
||||
*
|
||||
* Every 5 seconds start a window 1 second long, and emit at most 2 click events per window
|
||||
* ```ts
|
||||
* import { fromEvent } from 'rxjs';
|
||||
* import { windowTime, map, mergeAll, take } from 'rxjs/operators';
|
||||
*
|
||||
* const clicks = fromEvent(document, 'click');
|
||||
* const result = clicks.pipe(
|
||||
* windowTime(1000, 5000),
|
||||
* map(win => win.pipe(take(2))), // each window has at most 2 emissions
|
||||
* mergeAll(), // flatten the Observable-of-Observables
|
||||
* );
|
||||
* result.subscribe(x => console.log(x));
|
||||
* ```
|
||||
*
|
||||
* Same as example above but with maxWindowCount instead of take
|
||||
* ```ts
|
||||
* import { fromEvent } from 'rxjs';
|
||||
* import { windowTime, mergeAll } from 'rxjs/operators';
|
||||
*
|
||||
* const clicks = fromEvent(document, 'click');
|
||||
* const result = clicks.pipe(
|
||||
* windowTime(1000, 5000, 2), // each window has still at most 2 emissions
|
||||
* mergeAll(), // flatten the Observable-of-Observables
|
||||
* );
|
||||
* result.subscribe(x => console.log(x));
|
||||
* ```
|
||||
*
|
||||
* @see {@link window}
|
||||
* @see {@link windowCount}
|
||||
* @see {@link windowToggle}
|
||||
* @see {@link windowWhen}
|
||||
* @see {@link bufferTime}
|
||||
*
|
||||
* @param {number} windowTimeSpan The amount of time to fill each window.
|
||||
* @param {number} [windowCreationInterval] The interval at which to start new
|
||||
* windows.
|
||||
* @param {number} [maxWindowSize=Number.POSITIVE_INFINITY] Max number of
|
||||
* values each window can emit before completion.
|
||||
* @param {SchedulerLike} [scheduler=async] The scheduler on which to schedule the
|
||||
* intervals that determine window boundaries.
|
||||
* @return {Observable<Observable<T>>} An observable of windows, which in turn
|
||||
* are Observables.
|
||||
* @method windowTime
|
||||
* @owner Observable
|
||||
*/
|
||||
export declare function windowTime<T>(windowTimeSpan: number, scheduler?: SchedulerLike): OperatorFunction<T, Observable<T>>;
|
||||
export declare function windowTime<T>(windowTimeSpan: number, windowCreationInterval: number, scheduler?: SchedulerLike): OperatorFunction<T, Observable<T>>;
|
||||
export declare function windowTime<T>(windowTimeSpan: number, windowCreationInterval: number, maxWindowSize: number, scheduler?: SchedulerLike): OperatorFunction<T, Observable<T>>;
|
||||
@@ -0,0 +1 @@
|
||||
module.exports={A:{A:{"1":"G A B","2":"J E BC","260":"F"},B:{"1":"C K L H M N O P Q R S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t"},C:{"1":"HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t xB yB DC EC","2":"CC tB","516":"0 1 2 3 4 5 6 7 8 9 I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB"},D:{"1":"0 1 2 3 4 5 6 7 8 9 L H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R S T U V W X Y Z a b c d f g h i j k l m n o p q r s D t xB yB FC","2":"I u J E F G A B C K"},E:{"1":"u J E F G A B C K L H HC IC JC KC 0B qB rB 1B LC MC 2B 3B 4B 5B sB 6B 7B 8B NC","2":"I GC zB"},F:{"1":"0 1 2 3 4 5 6 7 8 9 H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB ZB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y Z a b c d","2":"G B C OC PC QC RC qB 9B SC","4":"rB"},G:{"1":"F AC UC VC WC XC YC ZC aC bC cC dC eC fC gC hC iC jC kC lC mC 2B 3B 4B 5B sB 6B 7B 8B","16":"zB TC"},H:{"2":"nC"},I:{"1":"tB I D qC rC AC sC tC","16":"oC pC"},J:{"1":"A","132":"E"},K:{"1":"e","2":"A B C qB 9B rB"},L:{"1":"D"},M:{"1":"D"},N:{"1":"A B"},O:{"1":"uC"},P:{"1":"I vC wC xC yC zC 0B 0C 1C 2C 3C 4C sB 5C 6C 7C"},Q:{"1":"1B"},R:{"1":"8C"},S:{"1":"9C"}},B:1,C:"Online/offline status"};
|
||||
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"switchAll.js","sources":["../src/operators/switchAll.ts"],"names":[],"mappings":";;;;;AAAA,qDAAgD"}
|
||||
@@ -0,0 +1,24 @@
|
||||
"use strict";
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
const is_1 = require("@sindresorhus/is");
|
||||
exports.default = (url) => {
|
||||
// Cast to URL
|
||||
url = url;
|
||||
const options = {
|
||||
protocol: url.protocol,
|
||||
hostname: is_1.default.string(url.hostname) && url.hostname.startsWith('[') ? url.hostname.slice(1, -1) : url.hostname,
|
||||
host: url.host,
|
||||
hash: url.hash,
|
||||
search: url.search,
|
||||
pathname: url.pathname,
|
||||
href: url.href,
|
||||
path: `${url.pathname || ''}${url.search || ''}`
|
||||
};
|
||||
if (is_1.default.string(url.port) && url.port.length > 0) {
|
||||
options.port = Number(url.port);
|
||||
}
|
||||
if (url.username || url.password) {
|
||||
options.auth = `${url.username || ''}:${url.password || ''}`;
|
||||
}
|
||||
return options;
|
||||
};
|
||||
@@ -0,0 +1 @@
|
||||
//# sourceMappingURL=types.js.map
|
||||
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"mergeMapTo.js","sources":["../../../src/internal/operators/mergeMapTo.ts"],"names":[],"mappings":"AAEA,OAAO,EAAE,QAAQ,EAAE,MAAM,YAAY,CAAC;AAiDtC,MAAM,UAAU,UAAU,CACxB,eAAkB,EAClB,cAAwH,EACxH,aAAqB,MAAM,CAAC,iBAAiB;IAE7C,IAAI,OAAO,cAAc,KAAK,UAAU,EAAE;QACxC,OAAO,QAAQ,CAAC,GAAG,EAAE,CAAC,eAAe,EAAE,cAAc,EAAE,UAAU,CAAC,CAAC;KACpE;IACD,IAAI,OAAO,cAAc,KAAK,QAAQ,EAAE;QACtC,UAAU,GAAG,cAAc,CAAC;KAC7B;IACD,OAAO,QAAQ,CAAC,GAAG,EAAE,CAAC,eAAe,EAAE,UAAU,CAAC,CAAC;AACrD,CAAC"}
|
||||
@@ -0,0 +1 @@
|
||||
export * from 'rxjs-compat/observable/interval';
|
||||
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"debounce.js","sources":["../../../src/internal/operators/debounce.ts"],"names":[],"mappings":";AAKA,OAAO,EAAE,qBAAqB,EAAE,cAAc,EAAE,qBAAqB,EAAE,MAAM,mBAAmB,CAAC;AAkDjG,MAAM,UAAU,QAAQ,CAAI,gBAA0D;IACpF,OAAO,UAAC,MAAqB,IAAK,OAAA,MAAM,CAAC,IAAI,CAAC,IAAI,gBAAgB,CAAC,gBAAgB,CAAC,CAAC,EAAnD,CAAmD,CAAC;AACxF,CAAC;AAED;IACE,0BAAoB,gBAA0D;QAA1D,qBAAgB,GAAhB,gBAAgB,CAA0C;IAC9E,CAAC;IAED,+BAAI,GAAJ,UAAK,UAAyB,EAAE,MAAW;QACzC,OAAO,MAAM,CAAC,SAAS,CAAC,IAAI,kBAAkB,CAAC,UAAU,EAAE,IAAI,CAAC,gBAAgB,CAAC,CAAC,CAAC;IACrF,CAAC;IACH,uBAAC;AAAD,CAAC,AAPD,IAOC;AAOD;IAAuC,8CAA2B;IAKhE,4BAAY,WAA0B,EAClB,gBAA0D;QAD9E,YAEE,kBAAM,WAAW,CAAC,SACnB;QAFmB,sBAAgB,GAAhB,gBAAgB,CAA0C;QAJtE,cAAQ,GAAG,KAAK,CAAC;;IAMzB,CAAC;IAES,kCAAK,GAAf,UAAgB,KAAQ;QACtB,IAAI;YACF,IAAM,MAAM,GAAG,IAAI,CAAC,gBAAgB,CAAC,IAAI,CAAC,IAAI,EAAE,KAAK,CAAC,CAAC;YAEvD,IAAI,MAAM,EAAE;gBACV,IAAI,CAAC,QAAQ,CAAC,KAAK,EAAE,MAAM,CAAC,CAAC;aAC9B;SACF;QAAC,OAAO,GAAG,EAAE;YACZ,IAAI,CAAC,WAAW,CAAC,KAAM,CAAC,GAAG,CAAC,CAAC;SAC9B;IACH,CAAC;IAES,sCAAS,GAAnB;QACE,IAAI,CAAC,SAAS,EAAE,CAAC;QACjB,IAAI,CAAC,WAAW,CAAC,QAAS,EAAE,CAAC;IAC/B,CAAC;IAEO,qCAAQ,GAAhB,UAAiB,KAAQ,EAAE,QAAoC;QAC7D,IAAI,YAAY,GAAG,IAAI,CAAC,oBAAoB,CAAC;QAC7C,IAAI,CAAC,KAAK,GAAG,KAAK,CAAC;QACnB,IAAI,CAAC,QAAQ,GAAG,IAAI,CAAC;QACrB,IAAI,YAAY,EAAE;YAChB,YAAY,CAAC,WAAW,EAAE,CAAC;YAC3B,IAAI,CAAC,MAAM,CAAC,YAAY,CAAC,CAAC;SAC3B;QAED,YAAY,GAAG,cAAc,CAAC,QAAQ,EAAE,IAAI,qBAAqB,CAAC,IAAI,CAAC,CAAC,CAAC;QACzE,IAAI,YAAY,IAAI,CAAC,YAAY,CAAC,MAAM,EAAE;YACxC,IAAI,CAAC,GAAG,CAAC,IAAI,CAAC,oBAAoB,GAAG,YAAY,CAAC,CAAC;SACpD;IACH,CAAC;IAED,uCAAU,GAAV;QACE,IAAI,CAAC,SAAS,EAAE,CAAC;IACnB,CAAC;IAED,2CAAc,GAAd;QACE,IAAI,CAAC,SAAS,EAAE,CAAC;IACnB,CAAC;IAED,sCAAS,GAAT;QACE,IAAI,IAAI,CAAC,QAAQ,EAAE;YACjB,IAAM,KAAK,GAAG,IAAI,CAAC,KAAK,CAAC;YACzB,IAAM,YAAY,GAAG,IAAI,CAAC,oBAAoB,CAAC;YAC/C,IAAI,YAAY,EAAE;gBAChB,IAAI,CAAC,oBAAoB,GAAG,SAAS,CAAC;gBACtC,YAAY,CAAC,WAAW,EAAE,CAAC;gBAC3B,IAAI,CAAC,MAAM,CAAC,YAAY,CAAC,CAAC;aAC3B;YAMD,IAAI,CAAC,KAAK,GAAG,SAAS,CAAC;YACvB,IAAI,CAAC,QAAQ,GAAG,KAAK,CAAC;YACtB,iBAAM,KAAK,YAAC,KAAM,CAAC,CAAC;SACrB;IACH,CAAC;IACH,yBAAC;AAAD,CAAC,AArED,CAAuC,qBAAqB,GAqE3D"}
|
||||
@@ -0,0 +1 @@
|
||||
import 'rxjs-compat/add/operator/finally';
|
||||
@@ -0,0 +1,7 @@
|
||||
"use strict";
|
||||
function __export(m) {
|
||||
for (var p in m) if (!exports.hasOwnProperty(p)) exports[p] = m[p];
|
||||
}
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
__export(require("rxjs-compat/operator/mergeAll"));
|
||||
//# sourceMappingURL=mergeAll.js.map
|
||||
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"fromEventPattern.js","sources":["../src/observable/fromEventPattern.ts"],"names":[],"mappings":";;;;;AAAA,6DAAwD"}
|
||||
@@ -0,0 +1 @@
|
||||
module.exports={A:{A:{"2":"J E F G A B BC"},B:{"2":"C K L H M N O P Q R S T U V W X Y Z","578":"a b c d f g h i j k l m n o p q r s D t"},C:{"2":"0 1 2 3 4 5 6 7 8 9 CC tB I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R wB S T U V W X Y DC EC","322":"Z a b c d f g h i j k l m n o p q r s D t xB yB"},D:{"2":"0 1 2 3 4 5 6 7 8 9 I u J E F G A B C K L H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB oB pB P Q R S T U V W X Y Z t xB yB FC","194":"a b c d f g h i j k l m n o p q r s D"},E:{"2":"I u J E F G A B C K L H GC zB HC IC JC KC 0B qB rB 1B LC MC 2B 3B 4B 5B sB 6B 7B 8B NC"},F:{"2":"0 1 2 3 4 5 6 7 8 9 G B C H M N O v w x y z AB BB CB DB EB FB GB HB IB JB KB LB MB NB OB PB QB RB SB TB UB VB WB XB YB ZB aB bB cB dB eB fB gB hB iB jB kB e lB mB nB OC PC QC RC qB 9B SC rB","194":"oB pB P Q R wB S T U V W X Y Z a b c d"},G:{"2":"F zB TC AC UC VC WC XC YC ZC aC bC cC dC eC fC gC hC iC jC kC lC mC 2B 3B 4B 5B sB 6B 7B 8B"},H:{"2":"nC"},I:{"2":"tB I D oC pC qC rC AC sC tC"},J:{"2":"E A"},K:{"2":"A B C e qB 9B rB"},L:{"2":"D"},M:{"2":"D"},N:{"2":"A B"},O:{"2":"uC"},P:{"2":"I vC wC xC yC zC 0B 0C 1C 2C 3C 4C sB 5C 6C 7C"},Q:{"2":"1B"},R:{"2":"8C"},S:{"2":"9C"}},B:6,C:"JPEG XL image format"};
|
||||
@@ -0,0 +1,7 @@
|
||||
"use strict";
|
||||
function __export(m) {
|
||||
for (var p in m) if (!exports.hasOwnProperty(p)) exports[p] = m[p];
|
||||
}
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
__export(require("rxjs-compat/operator/concat"));
|
||||
//# sourceMappingURL=concat.js.map
|
||||
@@ -0,0 +1,7 @@
|
||||
"use strict";
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
var webSocket_1 = require("../internal/observable/dom/webSocket");
|
||||
exports.webSocket = webSocket_1.webSocket;
|
||||
var WebSocketSubject_1 = require("../internal/observable/dom/WebSocketSubject");
|
||||
exports.WebSocketSubject = WebSocketSubject_1.WebSocketSubject;
|
||||
//# sourceMappingURL=index.js.map
|
||||
Reference in New Issue
Block a user