new license file version [CI SKIP]
This commit is contained in:
@@ -0,0 +1,91 @@
|
||||
var streamify = require('./streamify.js')
|
||||
, defer = require('./defer.js')
|
||||
;
|
||||
|
||||
// API
|
||||
module.exports = ReadableAsyncKit;
|
||||
|
||||
/**
|
||||
* Base constructor for all streams
|
||||
* used to hold properties/methods
|
||||
*/
|
||||
function ReadableAsyncKit()
|
||||
{
|
||||
ReadableAsyncKit.super_.apply(this, arguments);
|
||||
|
||||
// list of active jobs
|
||||
this.jobs = {};
|
||||
|
||||
// add stream methods
|
||||
this.destroy = destroy;
|
||||
this._start = _start;
|
||||
this._read = _read;
|
||||
}
|
||||
|
||||
/**
|
||||
* Destroys readable stream,
|
||||
* by aborting outstanding jobs
|
||||
*
|
||||
* @returns {void}
|
||||
*/
|
||||
function destroy()
|
||||
{
|
||||
if (this.destroyed)
|
||||
{
|
||||
return;
|
||||
}
|
||||
|
||||
this.destroyed = true;
|
||||
|
||||
if (typeof this.terminator == 'function')
|
||||
{
|
||||
this.terminator();
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Starts provided jobs in async manner
|
||||
*
|
||||
* @private
|
||||
*/
|
||||
function _start()
|
||||
{
|
||||
// first argument – runner function
|
||||
var runner = arguments[0]
|
||||
// take away first argument
|
||||
, args = Array.prototype.slice.call(arguments, 1)
|
||||
// second argument - input data
|
||||
, input = args[0]
|
||||
// last argument - result callback
|
||||
, endCb = streamify.callback.call(this, args[args.length - 1])
|
||||
;
|
||||
|
||||
args[args.length - 1] = endCb;
|
||||
// third argument - iterator
|
||||
args[1] = streamify.iterator.call(this, args[1]);
|
||||
|
||||
// allow time for proper setup
|
||||
defer(function()
|
||||
{
|
||||
if (!this.destroyed)
|
||||
{
|
||||
this.terminator = runner.apply(null, args);
|
||||
}
|
||||
else
|
||||
{
|
||||
endCb(null, Array.isArray(input) ? [] : {});
|
||||
}
|
||||
}.bind(this));
|
||||
}
|
||||
|
||||
|
||||
/**
|
||||
* Implement _read to comply with Readable streams
|
||||
* Doesn't really make sense for flowing object mode
|
||||
*
|
||||
* @private
|
||||
*/
|
||||
function _read()
|
||||
{
|
||||
|
||||
}
|
||||
@@ -0,0 +1,4 @@
|
||||
"use strict";
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
require("rxjs-compat/add/operator/takeWhile");
|
||||
//# sourceMappingURL=takeWhile.js.map
|
||||
@@ -0,0 +1,5 @@
|
||||
import { Observable } from '../Observable';
|
||||
import { ObservableInput, SchedulerLike, ObservedValueOf } from '../types';
|
||||
export declare function from<O extends ObservableInput<any>>(input: O): Observable<ObservedValueOf<O>>;
|
||||
/** @deprecated use {@link scheduled} instead. */
|
||||
export declare function from<O extends ObservableInput<any>>(input: O, scheduler: SchedulerLike): Observable<ObservedValueOf<O>>;
|
||||
File diff suppressed because one or more lines are too long
@@ -0,0 +1 @@
|
||||
import 'rxjs-compat/add/operator/ignoreElements';
|
||||
@@ -0,0 +1,130 @@
|
||||
import { Operator } from '../Operator';
|
||||
import { Observable } from '../Observable';
|
||||
import { Subscriber } from '../Subscriber';
|
||||
import { Subscription } from '../Subscription';
|
||||
import { async } from '../scheduler/async';
|
||||
import { MonoTypeOperatorFunction, SchedulerLike, TeardownLogic } from '../types';
|
||||
|
||||
/**
|
||||
* Emits a value from the source Observable only after a particular time span
|
||||
* has passed without another source emission.
|
||||
*
|
||||
* <span class="informal">It's like {@link delay}, but passes only the most
|
||||
* recent value from each burst of emissions.</span>
|
||||
*
|
||||
* 
|
||||
*
|
||||
* `debounceTime` delays values emitted by the source Observable, but drops
|
||||
* previous pending delayed emissions if a new value arrives on the source
|
||||
* Observable. This operator keeps track of the most recent value from the
|
||||
* source Observable, and emits that only when `dueTime` enough time has passed
|
||||
* without any other value appearing on the source Observable. If a new value
|
||||
* appears before `dueTime` silence occurs, the previous value will be dropped
|
||||
* and will not be emitted on the output Observable.
|
||||
*
|
||||
* This is a rate-limiting operator, because it is impossible for more than one
|
||||
* value to be emitted in any time window of duration `dueTime`, but it is also
|
||||
* a delay-like operator since output emissions do not occur at the same time as
|
||||
* they did on the source Observable. Optionally takes a {@link SchedulerLike} for
|
||||
* managing timers.
|
||||
*
|
||||
* ## Example
|
||||
* Emit the most recent click after a burst of clicks
|
||||
* ```ts
|
||||
* import { fromEvent } from 'rxjs';
|
||||
* import { debounceTime } from 'rxjs/operators';
|
||||
*
|
||||
* const clicks = fromEvent(document, 'click');
|
||||
* const result = clicks.pipe(debounceTime(1000));
|
||||
* result.subscribe(x => console.log(x));
|
||||
* ```
|
||||
*
|
||||
* @see {@link auditTime}
|
||||
* @see {@link debounce}
|
||||
* @see {@link delay}
|
||||
* @see {@link sampleTime}
|
||||
* @see {@link throttleTime}
|
||||
*
|
||||
* @param {number} dueTime The timeout duration in milliseconds (or the time
|
||||
* unit determined internally by the optional `scheduler`) for the window of
|
||||
* time required to wait for emission silence before emitting the most recent
|
||||
* source value.
|
||||
* @param {SchedulerLike} [scheduler=async] The {@link SchedulerLike} to use for
|
||||
* managing the timers that handle the timeout for each value.
|
||||
* @return {Observable} An Observable that delays the emissions of the source
|
||||
* Observable by the specified `dueTime`, and may drop some values if they occur
|
||||
* too frequently.
|
||||
* @method debounceTime
|
||||
* @owner Observable
|
||||
*/
|
||||
export function debounceTime<T>(dueTime: number, scheduler: SchedulerLike = async): MonoTypeOperatorFunction<T> {
|
||||
return (source: Observable<T>) => source.lift(new DebounceTimeOperator(dueTime, scheduler));
|
||||
}
|
||||
|
||||
class DebounceTimeOperator<T> implements Operator<T, T> {
|
||||
constructor(private dueTime: number, private scheduler: SchedulerLike) {
|
||||
}
|
||||
|
||||
call(subscriber: Subscriber<T>, source: any): TeardownLogic {
|
||||
return source.subscribe(new DebounceTimeSubscriber(subscriber, this.dueTime, this.scheduler));
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* We need this JSDoc comment for affecting ESDoc.
|
||||
* @ignore
|
||||
* @extends {Ignored}
|
||||
*/
|
||||
class DebounceTimeSubscriber<T> extends Subscriber<T> {
|
||||
private debouncedSubscription: Subscription = null;
|
||||
private lastValue: T = null;
|
||||
private hasValue: boolean = false;
|
||||
|
||||
constructor(destination: Subscriber<T>,
|
||||
private dueTime: number,
|
||||
private scheduler: SchedulerLike) {
|
||||
super(destination);
|
||||
}
|
||||
|
||||
protected _next(value: T) {
|
||||
this.clearDebounce();
|
||||
this.lastValue = value;
|
||||
this.hasValue = true;
|
||||
this.add(this.debouncedSubscription = this.scheduler.schedule(dispatchNext, this.dueTime, this));
|
||||
}
|
||||
|
||||
protected _complete() {
|
||||
this.debouncedNext();
|
||||
this.destination.complete();
|
||||
}
|
||||
|
||||
debouncedNext(): void {
|
||||
this.clearDebounce();
|
||||
|
||||
if (this.hasValue) {
|
||||
const { lastValue } = this;
|
||||
// This must be done *before* passing the value
|
||||
// along to the destination because it's possible for
|
||||
// the value to synchronously re-enter this operator
|
||||
// recursively when scheduled with things like
|
||||
// VirtualScheduler/TestScheduler.
|
||||
this.lastValue = null;
|
||||
this.hasValue = false;
|
||||
this.destination.next(lastValue);
|
||||
}
|
||||
}
|
||||
|
||||
private clearDebounce(): void {
|
||||
const debouncedSubscription = this.debouncedSubscription;
|
||||
|
||||
if (debouncedSubscription !== null) {
|
||||
this.remove(debouncedSubscription);
|
||||
debouncedSubscription.unsubscribe();
|
||||
this.debouncedSubscription = null;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
function dispatchNext(subscriber: DebounceTimeSubscriber<any>) {
|
||||
subscriber.debouncedNext();
|
||||
}
|
||||
@@ -0,0 +1 @@
|
||||
module.exports={A:{A:{"2":"J E F G A B BC"},B:{"1":"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","2":"C K L H M"},C:{"1":"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":"0 1 2 3 4 CC tB I u J E F G A B C K L H M N O v w x y z DC EC","132":"5 6 7 8 9 AB BB CB DB EB FB GB HB IB JB"},D:{"1":"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 JB KB LB MB NB OB"},E:{"1":"B C K L H 0B qB rB 1B LC MC 2B 3B 4B 5B sB 6B 7B 8B NC","2":"I u J E F G A GC zB HC IC JC KC"},F:{"1":"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 6 7 8 9 G B C H M N O v w x y z AB BB OC PC QC RC qB 9B SC rB"},G:{"1":"bC cC dC eC fC gC hC iC jC kC lC mC 2B 3B 4B 5B sB 6B 7B 8B","2":"F zB TC AC UC VC WC XC YC ZC aC"},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:{"1":"uC"},P:{"1":"vC wC xC yC zC 0B 0C 1C 2C 3C 4C sB 5C 6C 7C","2":"I"},Q:{"1":"1B"},R:{"1":"8C"},S:{"1":"9C"}},B:1,C:"URLSearchParams"};
|
||||
@@ -0,0 +1,4 @@
|
||||
"use strict";
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
require("rxjs-compat/add/operator/publishReplay");
|
||||
//# sourceMappingURL=publishReplay.js.map
|
||||
@@ -0,0 +1,43 @@
|
||||
import { Observable } from '../Observable';
|
||||
import { MonoTypeOperatorFunction } from '../types';
|
||||
/**
|
||||
* Emits the values emitted by the source Observable until a `notifier`
|
||||
* Observable emits a value.
|
||||
*
|
||||
* <span class="informal">Lets values pass until a second Observable,
|
||||
* `notifier`, emits a value. Then, it completes.</span>
|
||||
*
|
||||
* 
|
||||
*
|
||||
* `takeUntil` subscribes and begins mirroring the source Observable. It also
|
||||
* monitors a second Observable, `notifier` that you provide. If the `notifier`
|
||||
* emits a value, the output Observable stops mirroring the source Observable
|
||||
* and completes. If the `notifier` doesn't emit any value and completes
|
||||
* then `takeUntil` will pass all values.
|
||||
*
|
||||
* ## Example
|
||||
* Tick every second until the first click happens
|
||||
* ```ts
|
||||
* import { fromEvent, interval } from 'rxjs';
|
||||
* import { takeUntil } from 'rxjs/operators';
|
||||
*
|
||||
* const source = interval(1000);
|
||||
* const clicks = fromEvent(document, 'click');
|
||||
* const result = source.pipe(takeUntil(clicks));
|
||||
* result.subscribe(x => console.log(x));
|
||||
* ```
|
||||
*
|
||||
* @see {@link take}
|
||||
* @see {@link takeLast}
|
||||
* @see {@link takeWhile}
|
||||
* @see {@link skip}
|
||||
*
|
||||
* @param {Observable} notifier The Observable whose first emitted value will
|
||||
* cause the output Observable of `takeUntil` to stop emitting values from the
|
||||
* source Observable.
|
||||
* @return {Observable<T>} An Observable that emits the values from the source
|
||||
* Observable until such time as `notifier` emits its first value.
|
||||
* @method takeUntil
|
||||
* @owner Observable
|
||||
*/
|
||||
export declare function takeUntil<T>(notifier: Observable<any>): MonoTypeOperatorFunction<T>;
|
||||
@@ -0,0 +1,4 @@
|
||||
"use strict";
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
require("rxjs-compat/add/observable/bindCallback");
|
||||
//# sourceMappingURL=bindCallback.js.map
|
||||
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"mergeMap.js","sources":["../src/operator/mergeMap.ts"],"names":[],"mappings":";;;;;AAAA,mDAA8C"}
|
||||
@@ -0,0 +1,81 @@
|
||||
import { EmptyError } from '../util/EmptyError';
|
||||
import { Observable } from '../Observable';
|
||||
import { Operator } from '../Operator';
|
||||
import { Subscriber } from '../Subscriber';
|
||||
import { TeardownLogic, MonoTypeOperatorFunction } from '../types';
|
||||
|
||||
/**
|
||||
* If the source observable completes without emitting a value, it will emit
|
||||
* an error. The error will be created at that time by the optional
|
||||
* `errorFactory` argument, otherwise, the error will be {@link EmptyError}.
|
||||
*
|
||||
* 
|
||||
*
|
||||
* ## Example
|
||||
* ```ts
|
||||
* import { fromEvent, timer } from 'rxjs';
|
||||
* import { throwIfEmpty, takeUntil } from 'rxjs/operators';
|
||||
*
|
||||
* const click$ = fromEvent(document, 'click');
|
||||
*
|
||||
* click$.pipe(
|
||||
* takeUntil(timer(1000)),
|
||||
* throwIfEmpty(
|
||||
* () => new Error('the document was not clicked within 1 second')
|
||||
* ),
|
||||
* )
|
||||
* .subscribe({
|
||||
* next() { console.log('The button was clicked'); },
|
||||
* error(err) { console.error(err); }
|
||||
* });
|
||||
* ```
|
||||
*
|
||||
* @param errorFactory A factory function called to produce the
|
||||
* error to be thrown when the source observable completes without emitting a
|
||||
* value.
|
||||
*/
|
||||
export function throwIfEmpty <T>(errorFactory: (() => any) = defaultErrorFactory): MonoTypeOperatorFunction<T> {
|
||||
return (source: Observable<T>) => {
|
||||
return source.lift(new ThrowIfEmptyOperator(errorFactory));
|
||||
};
|
||||
}
|
||||
|
||||
class ThrowIfEmptyOperator<T> implements Operator<T, T> {
|
||||
constructor(private errorFactory: () => any) {
|
||||
}
|
||||
|
||||
call(subscriber: Subscriber<T>, source: any): TeardownLogic {
|
||||
return source.subscribe(new ThrowIfEmptySubscriber(subscriber, this.errorFactory));
|
||||
}
|
||||
}
|
||||
|
||||
class ThrowIfEmptySubscriber<T> extends Subscriber<T> {
|
||||
private hasValue: boolean = false;
|
||||
|
||||
constructor(destination: Subscriber<T>, private errorFactory: () => any) {
|
||||
super(destination);
|
||||
}
|
||||
|
||||
protected _next(value: T): void {
|
||||
this.hasValue = true;
|
||||
this.destination.next(value);
|
||||
}
|
||||
|
||||
protected _complete() {
|
||||
if (!this.hasValue) {
|
||||
let err: any;
|
||||
try {
|
||||
err = this.errorFactory();
|
||||
} catch (e) {
|
||||
err = e;
|
||||
}
|
||||
this.destination.error(err);
|
||||
} else {
|
||||
return this.destination.complete();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
function defaultErrorFactory() {
|
||||
return new EmptyError();
|
||||
}
|
||||
@@ -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/observable/combineLatest"));
|
||||
//# sourceMappingURL=combineLatest.js.map
|
||||
@@ -0,0 +1 @@
|
||||
{"name":"log-symbols","version":"4.1.0","files":{"license":{"checkedAt":1678887829613,"integrity":"sha512-0fM2/ycrxrltyaBKfQ748Ck23VlPUUBgNAR47ldf4B1V/HoXTfWBSk+vcshGKwEpmOynu4mOP5o+hyBfuRNa8g==","mode":420,"size":1117},"browser.js":{"checkedAt":1678887830147,"integrity":"sha512-ru/C4EUYCYBjCgZpXnql43IUBqoYktP9JVLRVEDJgTdkh3KM5H1vPOLUvin+o7lYUMby0oxFdFko0jf6+8/5gA==","mode":420,"size":108},"index.js":{"checkedAt":1678887830147,"integrity":"sha512-bp1AP404guSGTXWOxRSHf7l3ciZXrCQhmPRPD2OHVj07rwIGjh3wJmUFF+hsybxSIiQKpYEUwtM+x90KmaPtEw==","mode":420,"size":427},"package.json":{"checkedAt":1678887830147,"integrity":"sha512-ZIHaSlY0BWSDLy1pj1jW1+kr1uXNm1iLMEa8juiqgJYvrLK2sF2lMGe58wf/jld1IUQri3L+E1uW3JRj+B3i1Q==","mode":420,"size":933},"readme.md":{"checkedAt":1678887830147,"integrity":"sha512-7pUzN1lCeLZic+y3p18nlRntF2+9r4mK+N3y+5oHT0rWYLs6LMaC2yJ34SQwuKbyuSwrLxNXrs0iubmCTi0asA==","mode":420,"size":1407},"index.d.ts":{"checkedAt":1678887830147,"integrity":"sha512-LLJ6hs7JITcFy9TYMFZ0oOCSVQtNkT7EVD2cPj+W1M1ov2PzlqM17kOli23U9o93Nul3mWtcs5bs3Yti7E5x5A==","mode":420,"size":588}}}
|
||||
@@ -0,0 +1,45 @@
|
||||
{
|
||||
"name": "cacheable-lookup",
|
||||
"version": "5.0.4",
|
||||
"description": "A cacheable dns.lookup(…) that respects the TTL",
|
||||
"engines": {
|
||||
"node": ">=10.6.0"
|
||||
},
|
||||
"files": [
|
||||
"source",
|
||||
"index.d.ts"
|
||||
],
|
||||
"main": "source/index.js",
|
||||
"types": "index.d.ts",
|
||||
"scripts": {
|
||||
"test": "xo && nyc --reporter=lcovonly --reporter=text ava && tsd"
|
||||
},
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git+https://github.com/szmarczak/cacheable-lookup.git"
|
||||
},
|
||||
"keywords": [
|
||||
"dns",
|
||||
"lookup",
|
||||
"cacheable",
|
||||
"ttl"
|
||||
],
|
||||
"author": "Szymon Marczak",
|
||||
"license": "MIT",
|
||||
"bugs": {
|
||||
"url": "https://github.com/szmarczak/cacheable-lookup/issues"
|
||||
},
|
||||
"homepage": "https://github.com/szmarczak/cacheable-lookup#readme",
|
||||
"devDependencies": {
|
||||
"@types/keyv": "^3.1.1",
|
||||
"ava": "^3.8.2",
|
||||
"benchmark": "^2.1.4",
|
||||
"coveralls": "^3.0.9",
|
||||
"keyv": "^4.0.0",
|
||||
"nyc": "^15.0.0",
|
||||
"proxyquire": "^2.1.3",
|
||||
"tsd": "^0.11.0",
|
||||
"quick-lru": "^5.1.0",
|
||||
"xo": "^0.25.3"
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1 @@
|
||||
module.exports={C:{"2":0,"3":0,"4":0,"5":0,"6":0,"7":0,"8":0,"9":0,"10":0,"11":0,"12":0,"13":0,"14":0,"15":0,"16":0,"17":0,"18":0,"19":0,"20":0,"21":0,"22":0,"23":0,"24":0,"25":0,"26":0,"27":0,"28":0,"29":0,"30":0,"31":0,"32":0,"33":0,"34":0,"35":0,"36":0,"37":0,"38":0,"39":0,"40":0,"41":0,"42":0,"43":0,"44":0,"45":0,"46":0,"47":0,"48":0,"49":0,"50":0,"51":0,"52":0.00803,"53":0,"54":0,"55":0,"56":0,"57":0,"58":0,"59":0,"60":0,"61":0,"62":0,"63":0,"64":0,"65":0,"66":0,"67":0,"68":0,"69":0,"70":0,"71":0,"72":0,"73":0,"74":0,"75":0,"76":0,"77":0,"78":0,"79":0,"80":0,"81":0,"82":0,"83":0,"84":0,"85":0,"86":0,"87":0,"88":0,"89":0,"90":0,"91":0,"92":0,"93":0,"94":0,"95":0,"96":0,"97":0,"98":0,"99":0.00401,"100":0,"101":0,"102":0.00803,"103":0.00401,"104":0.00803,"105":0.01204,"106":0.01605,"107":0.02007,"108":0.40531,"109":0.20868,"110":0.00401,"111":0,"3.5":0,"3.6":0},D:{"4":0,"5":0,"6":0,"7":0,"8":0,"9":0,"10":0,"11":0.00401,"12":0,"13":0,"14":0,"15":0,"16":0,"17":0,"18":0,"19":0,"20":0,"21":0,"22":0,"23":0,"24":0,"25":0,"26":0,"27":0,"28":0,"29":0,"30":0,"31":0,"32":0,"33":0,"34":0,"35":0,"36":0,"37":0,"38":0.00401,"39":0,"40":0,"41":0,"42":0,"43":0,"44":0,"45":0,"46":0,"47":0,"48":0,"49":0.00401,"50":0,"51":0,"52":0,"53":0,"54":0,"55":0,"56":0,"57":0,"58":0,"59":0,"60":0,"61":0,"62":0,"63":0.00401,"64":0,"65":0,"66":0,"67":0,"68":0,"69":0.00401,"70":0.00401,"71":0.00401,"72":0.00401,"73":0.00401,"74":0.01605,"75":0,"76":0.00401,"77":0.00401,"78":0.00401,"79":0.01204,"80":0.00401,"81":0.00401,"83":0.00401,"84":0.00401,"85":0.01204,"86":0.00803,"87":0.01204,"88":0.00803,"89":0.00401,"90":0.00401,"91":0.00803,"92":0.02408,"93":0.00401,"94":0.01605,"95":0.00401,"96":0.0321,"97":0.01204,"98":0.00803,"99":0.00803,"100":0.02408,"101":0.00803,"102":0.02007,"103":0.0923,"104":0.02408,"105":0.12842,"106":0.03612,"107":0.14447,"108":5.72655,"109":4.63903,"110":0.00401,"111":0.00401,"112":0},F:{"9":0,"11":0,"12":0,"15":0,"16":0,"17":0,"18":0,"19":0,"20":0,"21":0,"22":0,"23":0,"24":0,"25":0,"26":0,"27":0,"28":0.00401,"29":0,"30":0,"31":0,"32":0,"33":0,"34":0,"35":0,"36":0,"37":0,"38":0,"39":0,"40":0,"41":0,"42":0,"43":0,"44":0,"45":0,"46":0,"47":0,"48":0,"49":0,"50":0,"51":0,"52":0,"53":0,"54":0,"55":0,"56":0,"57":0,"58":0,"60":0,"62":0,"63":0,"64":0,"65":0,"66":0,"67":0,"68":0,"69":0,"70":0,"71":0,"72":0,"73":0.00803,"74":0,"75":0,"76":0,"77":0,"78":0,"79":0,"80":0,"81":0,"82":0.01204,"83":0,"84":0,"85":0,"86":0,"87":0,"88":0,"89":0,"90":0,"91":0,"92":0,"93":0.20868,"94":0.309,"9.5-9.6":0,"10.0-10.1":0,"10.5":0,"10.6":0,"11.1":0,"11.5":0,"11.6":0,"12.1":0},B:{"12":0.00401,"13":0,"14":0,"15":0,"16":0,"17":0,"18":0.01204,"79":0,"80":0,"81":0,"83":0,"84":0,"85":0,"86":0,"87":0,"88":0,"89":0,"90":0.00401,"91":0,"92":0.00803,"93":0,"94":0,"95":0,"96":0,"97":0,"98":0,"99":0.00401,"100":0.00401,"101":0,"102":0.00401,"103":0.00401,"104":0,"105":0.00401,"106":0.01605,"107":0.04013,"108":0.92299,"109":0.74241},E:{"4":0,"5":0,"6":0,"7":0,"8":0,"9":0,"10":0,"11":0,"12":0,"13":0.00803,"14":0.04013,"15":0.01605,_:"0","3.1":0,"3.2":0,"5.1":0,"6.1":0,"7.1":0,"9.1":0,"10.1":0,"11.1":0,"12.1":0.00401,"13.1":0.02408,"14.1":0.07223,"15.1":0.02809,"15.2-15.3":0.01605,"15.4":0.02408,"15.5":0.05618,"15.6":0.20466,"16.0":0.04414,"16.1":0.12039,"16.2":0.1846,"16.3":0.00803},G:{"8":0,"3.2":0,"4.0-4.1":0,"4.2-4.3":0,"5.0-5.1":0,"6.0-6.1":0.00656,"7.0-7.1":0.00984,"8.1-8.4":0,"9.0-9.2":0,"9.3":0.0492,"10.0-10.2":0,"10.3":0.06888,"11.0-11.2":0.00656,"11.3-11.4":0.02624,"12.0-12.1":0.01312,"12.2-12.5":0.88554,"13.0-13.1":0.00984,"13.2":0,"13.3":0.06232,"13.4-13.7":0.26238,"14.0-14.4":0.56412,"14.5-14.8":1.16105,"15.0-15.1":0.49197,"15.2-15.3":0.48541,"15.4":0.72483,"15.5":1.23976,"15.6":2.68943,"16.0":7.35985,"16.1":8.50449,"16.2":5.26078,"16.3":0.40341},P:{"4":0.41647,"5.0-5.4":0.02032,"6.2-6.4":0.01016,"7.2-7.4":0.08126,"8.2":0.01016,"9.2":0.03047,"10.1":0,"11.1-11.2":0.04063,"12.0":0.01016,"13.0":0.07111,"14.0":0.04063,"15.0":0.05079,"16.0":0.21332,"17.0":0.15237,"18.0":0.193,"19.0":3.45367},I:{"0":0,"3":0,"4":0,"2.1":0,"2.2":0,"2.3":0,"4.1":0.002,"4.2-4.3":0,"4.4":0,"4.4.3-4.4.4":0.08214},K:{_:"0 10 11 12 11.1 11.5 12.1"},A:{"6":0,"7":0,"8":0,"9":0,"10":0,"11":0.02007,"5.5":0},J:{"7":0,"10":0},N:{"10":0,"11":0},R:{_:"0"},M:{"0":0.14369},Q:{"13.1":0},O:{"0":0.10178},H:{"0":0.15304},L:{"0":46.92431},S:{"2.5":0}};
|
||||
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"pairs.js","sources":["../../../src/internal/observable/pairs.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,UAAU,EAAE,MAAM,eAAe,CAAC;AAG3C,OAAO,EAAE,YAAY,EAAE,MAAM,iBAAiB,CAAC;AAkD/C,MAAM,UAAU,KAAK,CAAI,GAAW,EAAE,SAAyB;IAC7D,IAAI,CAAC,SAAS,EAAE;QACd,OAAO,IAAI,UAAU,CAAc,UAAU,CAAC,EAAE;YAC9C,MAAM,IAAI,GAAG,MAAM,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;YAC9B,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,IAAI,CAAC,MAAM,IAAI,CAAC,UAAU,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;gBAC1D,MAAM,GAAG,GAAG,IAAI,CAAC,CAAC,CAAC,CAAC;gBACpB,IAAI,GAAG,CAAC,cAAc,CAAC,GAAG,CAAC,EAAE;oBAC3B,UAAU,CAAC,IAAI,CAAC,CAAC,GAAG,EAAE,GAAG,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC;iBAClC;aACF;YACD,UAAU,CAAC,QAAQ,EAAE,CAAC;QACxB,CAAC,CAAC,CAAC;KACJ;SAAM;QACL,OAAO,IAAI,UAAU,CAAc,UAAU,CAAC,EAAE;YAC9C,MAAM,IAAI,GAAG,MAAM,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;YAC9B,MAAM,YAAY,GAAG,IAAI,YAAY,EAAE,CAAC;YACxC,YAAY,CAAC,GAAG,CACd,SAAS,CAAC,QAAQ,CACf,QAAQ,EAAE,CAAC,EAAE,EAAE,IAAI,EAAE,KAAK,EAAE,CAAC,EAAE,UAAU,EAAE,YAAY,EAAE,GAAG,EAAE,CAAC,CAAC,CAAC;YACtE,OAAO,YAAY,CAAC;QACtB,CAAC,CAAC,CAAC;KACJ;AACH,CAAC;AAGD,MAAM,UAAU,QAAQ,CACI,KAAsH;IAChJ,MAAM,EAAE,IAAI,EAAE,KAAK,EAAE,UAAU,EAAE,YAAY,EAAE,GAAG,EAAE,GAAG,KAAK,CAAC;IAC7D,IAAI,CAAC,UAAU,CAAC,MAAM,EAAE;QACtB,IAAI,KAAK,GAAG,IAAI,CAAC,MAAM,EAAE;YACvB,MAAM,GAAG,GAAG,IAAI,CAAC,KAAK,CAAC,CAAC;YACxB,UAAU,CAAC,IAAI,CAAC,CAAC,GAAG,EAAE,GAAG,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC;YACjC,YAAY,CAAC,GAAG,CAAC,IAAI,CAAC,QAAQ,CAAC,EAAE,IAAI,EAAE,KAAK,EAAE,KAAK,GAAG,CAAC,EAAE,UAAU,EAAE,YAAY,EAAE,GAAG,EAAE,CAAC,CAAC,CAAC;SAC5F;aAAM;YACL,UAAU,CAAC,QAAQ,EAAE,CAAC;SACvB;KACF;AACH,CAAC"}
|
||||
@@ -0,0 +1,19 @@
|
||||
import { TransitionConfig } from '../transition';
|
||||
export declare function group_outros(): void;
|
||||
export declare function check_outros(): void;
|
||||
export declare function transition_in(block: any, local?: 0 | 1): void;
|
||||
export declare function transition_out(block: any, local: 0 | 1, detach?: 0 | 1, callback?: any): void;
|
||||
declare type TransitionFn = (node: Element, params: any) => TransitionConfig;
|
||||
export declare function create_in_transition(node: Element & ElementCSSInlineStyle, fn: TransitionFn, params: any): {
|
||||
start(): void;
|
||||
invalidate(): void;
|
||||
end(): void;
|
||||
};
|
||||
export declare function create_out_transition(node: Element & ElementCSSInlineStyle, fn: TransitionFn, params: any): {
|
||||
end(reset: any): void;
|
||||
};
|
||||
export declare function create_bidirectional_transition(node: Element & ElementCSSInlineStyle, fn: TransitionFn, params: any, intro: boolean): {
|
||||
run(b: any): void;
|
||||
end(): void;
|
||||
};
|
||||
export {};
|
||||
@@ -0,0 +1,25 @@
|
||||
import Wrapper from '../shared/Wrapper';
|
||||
import Renderer from '../../Renderer';
|
||||
import Block from '../../Block';
|
||||
import InlineComponent from '../../../nodes/InlineComponent';
|
||||
import FragmentWrapper from '../Fragment';
|
||||
import TemplateScope from '../../../nodes/shared/TemplateScope';
|
||||
import { Node, Identifier } from 'estree';
|
||||
declare type SlotDefinition = {
|
||||
block: Block;
|
||||
scope: TemplateScope;
|
||||
get_context?: Node;
|
||||
get_changes?: Node;
|
||||
};
|
||||
export default class InlineComponentWrapper extends Wrapper {
|
||||
var: Identifier;
|
||||
slots: Map<string, SlotDefinition>;
|
||||
node: InlineComponent;
|
||||
fragment: FragmentWrapper;
|
||||
children: Array<Wrapper | FragmentWrapper>;
|
||||
constructor(renderer: Renderer, block: Block, parent: Wrapper, node: InlineComponent, strip_whitespace: boolean, next_sibling: Wrapper);
|
||||
set_slot(name: string, slot_definition: SlotDefinition): void;
|
||||
warn_if_reactive(): void;
|
||||
render(block: Block, parent_node: Identifier, parent_nodes: Identifier): void;
|
||||
}
|
||||
export {};
|
||||
@@ -0,0 +1 @@
|
||||
{"name":"registry-url","version":"5.1.0","files":{"license":{"checkedAt":1678887829653,"integrity":"sha512-nIst73auX/5NY2Fmv5Y116vWnNrEv4GaIUX3lpZG05rpXJY2S8EX+fpUS5hRjClCM0VdT2Za9DDHXXB5jdSrEw==","mode":420,"size":1109},"index.js":{"checkedAt":1678887830395,"integrity":"sha512-Fk9KEQuZ1+4+PgW42TCeD5mnZGPpJ5A2axIdEqbI0/gEo4guHJRysvJV7BDhWKuPeoGXM2edYieYi/D915nGbw==","mode":420,"size":398},"index.d.ts":{"checkedAt":1678887830395,"integrity":"sha512-4jV7AdNrZiwRPncbEQnBGilBbmLHLbIav7XIVa9dvEYNXHKVXlnoEckT+WlLqvYXZChYAK8x6iW+DXxtOI7qOg==","mode":420,"size":949},"readme.md":{"checkedAt":1678887830395,"integrity":"sha512-VMbCoWRpOfDdI4swhUtNBGQojP211SBjGnyqw5YiKVDB30kb1fofbfyrmYoVUJ+gOArsq3HoIwr7x6oJfiC/ag==","mode":420,"size":1191},"package.json":{"checkedAt":1678887830395,"integrity":"sha512-H4WjMXRnfuScHZg/kIU9u4h18nqP24kDCrDedGrmZcp1fhORbxNJfl8si5cYCGGhOoRF33I0dwlZNF25b0Cg3w==","mode":420,"size":681}}}
|
||||
@@ -0,0 +1,221 @@
|
||||
'use strict';
|
||||
// TODO: Use the `URL` global when targeting Node.js 10
|
||||
const URLParser = typeof URL === 'undefined' ? require('url').URL : URL;
|
||||
|
||||
// https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/Data_URIs
|
||||
const DATA_URL_DEFAULT_MIME_TYPE = 'text/plain';
|
||||
const DATA_URL_DEFAULT_CHARSET = 'us-ascii';
|
||||
|
||||
const testParameter = (name, filters) => {
|
||||
return filters.some(filter => filter instanceof RegExp ? filter.test(name) : filter === name);
|
||||
};
|
||||
|
||||
const normalizeDataURL = (urlString, {stripHash}) => {
|
||||
const parts = urlString.match(/^data:([^,]*?),([^#]*?)(?:#(.*))?$/);
|
||||
|
||||
if (!parts) {
|
||||
throw new Error(`Invalid URL: ${urlString}`);
|
||||
}
|
||||
|
||||
const mediaType = parts[1].split(';');
|
||||
const body = parts[2];
|
||||
const hash = stripHash ? '' : parts[3];
|
||||
|
||||
let base64 = false;
|
||||
|
||||
if (mediaType[mediaType.length - 1] === 'base64') {
|
||||
mediaType.pop();
|
||||
base64 = true;
|
||||
}
|
||||
|
||||
// Lowercase MIME type
|
||||
const mimeType = (mediaType.shift() || '').toLowerCase();
|
||||
const attributes = mediaType
|
||||
.map(attribute => {
|
||||
let [key, value = ''] = attribute.split('=').map(string => string.trim());
|
||||
|
||||
// Lowercase `charset`
|
||||
if (key === 'charset') {
|
||||
value = value.toLowerCase();
|
||||
|
||||
if (value === DATA_URL_DEFAULT_CHARSET) {
|
||||
return '';
|
||||
}
|
||||
}
|
||||
|
||||
return `${key}${value ? `=${value}` : ''}`;
|
||||
})
|
||||
.filter(Boolean);
|
||||
|
||||
const normalizedMediaType = [
|
||||
...attributes
|
||||
];
|
||||
|
||||
if (base64) {
|
||||
normalizedMediaType.push('base64');
|
||||
}
|
||||
|
||||
if (normalizedMediaType.length !== 0 || (mimeType && mimeType !== DATA_URL_DEFAULT_MIME_TYPE)) {
|
||||
normalizedMediaType.unshift(mimeType);
|
||||
}
|
||||
|
||||
return `data:${normalizedMediaType.join(';')},${base64 ? body.trim() : body}${hash ? `#${hash}` : ''}`;
|
||||
};
|
||||
|
||||
const normalizeUrl = (urlString, options) => {
|
||||
options = {
|
||||
defaultProtocol: 'http:',
|
||||
normalizeProtocol: true,
|
||||
forceHttp: false,
|
||||
forceHttps: false,
|
||||
stripAuthentication: true,
|
||||
stripHash: false,
|
||||
stripWWW: true,
|
||||
removeQueryParameters: [/^utm_\w+/i],
|
||||
removeTrailingSlash: true,
|
||||
removeDirectoryIndex: false,
|
||||
sortQueryParameters: true,
|
||||
...options
|
||||
};
|
||||
|
||||
// TODO: Remove this at some point in the future
|
||||
if (Reflect.has(options, 'normalizeHttps')) {
|
||||
throw new Error('options.normalizeHttps is renamed to options.forceHttp');
|
||||
}
|
||||
|
||||
if (Reflect.has(options, 'normalizeHttp')) {
|
||||
throw new Error('options.normalizeHttp is renamed to options.forceHttps');
|
||||
}
|
||||
|
||||
if (Reflect.has(options, 'stripFragment')) {
|
||||
throw new Error('options.stripFragment is renamed to options.stripHash');
|
||||
}
|
||||
|
||||
urlString = urlString.trim();
|
||||
|
||||
// Data URL
|
||||
if (/^data:/i.test(urlString)) {
|
||||
return normalizeDataURL(urlString, options);
|
||||
}
|
||||
|
||||
const hasRelativeProtocol = urlString.startsWith('//');
|
||||
const isRelativeUrl = !hasRelativeProtocol && /^\.*\//.test(urlString);
|
||||
|
||||
// Prepend protocol
|
||||
if (!isRelativeUrl) {
|
||||
urlString = urlString.replace(/^(?!(?:\w+:)?\/\/)|^\/\//, options.defaultProtocol);
|
||||
}
|
||||
|
||||
const urlObj = new URLParser(urlString);
|
||||
|
||||
if (options.forceHttp && options.forceHttps) {
|
||||
throw new Error('The `forceHttp` and `forceHttps` options cannot be used together');
|
||||
}
|
||||
|
||||
if (options.forceHttp && urlObj.protocol === 'https:') {
|
||||
urlObj.protocol = 'http:';
|
||||
}
|
||||
|
||||
if (options.forceHttps && urlObj.protocol === 'http:') {
|
||||
urlObj.protocol = 'https:';
|
||||
}
|
||||
|
||||
// Remove auth
|
||||
if (options.stripAuthentication) {
|
||||
urlObj.username = '';
|
||||
urlObj.password = '';
|
||||
}
|
||||
|
||||
// Remove hash
|
||||
if (options.stripHash) {
|
||||
urlObj.hash = '';
|
||||
}
|
||||
|
||||
// Remove duplicate slashes if not preceded by a protocol
|
||||
if (urlObj.pathname) {
|
||||
// TODO: Use the following instead when targeting Node.js 10
|
||||
// `urlObj.pathname = urlObj.pathname.replace(/(?<!https?:)\/{2,}/g, '/');`
|
||||
urlObj.pathname = urlObj.pathname.replace(/((?!:).|^)\/{2,}/g, (_, p1) => {
|
||||
if (/^(?!\/)/g.test(p1)) {
|
||||
return `${p1}/`;
|
||||
}
|
||||
|
||||
return '/';
|
||||
});
|
||||
}
|
||||
|
||||
// Decode URI octets
|
||||
if (urlObj.pathname) {
|
||||
urlObj.pathname = decodeURI(urlObj.pathname);
|
||||
}
|
||||
|
||||
// Remove directory index
|
||||
if (options.removeDirectoryIndex === true) {
|
||||
options.removeDirectoryIndex = [/^index\.[a-z]+$/];
|
||||
}
|
||||
|
||||
if (Array.isArray(options.removeDirectoryIndex) && options.removeDirectoryIndex.length > 0) {
|
||||
let pathComponents = urlObj.pathname.split('/');
|
||||
const lastComponent = pathComponents[pathComponents.length - 1];
|
||||
|
||||
if (testParameter(lastComponent, options.removeDirectoryIndex)) {
|
||||
pathComponents = pathComponents.slice(0, pathComponents.length - 1);
|
||||
urlObj.pathname = pathComponents.slice(1).join('/') + '/';
|
||||
}
|
||||
}
|
||||
|
||||
if (urlObj.hostname) {
|
||||
// Remove trailing dot
|
||||
urlObj.hostname = urlObj.hostname.replace(/\.$/, '');
|
||||
|
||||
// Remove `www.`
|
||||
if (options.stripWWW && /^www\.([a-z\-\d]{2,63})\.([a-z.]{2,5})$/.test(urlObj.hostname)) {
|
||||
// Each label should be max 63 at length (min: 2).
|
||||
// The extension should be max 5 at length (min: 2).
|
||||
// Source: https://en.wikipedia.org/wiki/Hostname#Restrictions_on_valid_host_names
|
||||
urlObj.hostname = urlObj.hostname.replace(/^www\./, '');
|
||||
}
|
||||
}
|
||||
|
||||
// Remove query unwanted parameters
|
||||
if (Array.isArray(options.removeQueryParameters)) {
|
||||
for (const key of [...urlObj.searchParams.keys()]) {
|
||||
if (testParameter(key, options.removeQueryParameters)) {
|
||||
urlObj.searchParams.delete(key);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Sort query parameters
|
||||
if (options.sortQueryParameters) {
|
||||
urlObj.searchParams.sort();
|
||||
}
|
||||
|
||||
if (options.removeTrailingSlash) {
|
||||
urlObj.pathname = urlObj.pathname.replace(/\/$/, '');
|
||||
}
|
||||
|
||||
// Take advantage of many of the Node `url` normalizations
|
||||
urlString = urlObj.toString();
|
||||
|
||||
// Remove ending `/`
|
||||
if ((options.removeTrailingSlash || urlObj.pathname === '/') && urlObj.hash === '') {
|
||||
urlString = urlString.replace(/\/$/, '');
|
||||
}
|
||||
|
||||
// Restore relative protocol, if applicable
|
||||
if (hasRelativeProtocol && !options.normalizeProtocol) {
|
||||
urlString = urlString.replace(/^http:\/\//, '//');
|
||||
}
|
||||
|
||||
// Remove http/https
|
||||
if (options.stripProtocol) {
|
||||
urlString = urlString.replace(/^(?:https?:)?\/\//, '');
|
||||
}
|
||||
|
||||
return urlString;
|
||||
};
|
||||
|
||||
module.exports = normalizeUrl;
|
||||
// TODO: Remove this for the next major release
|
||||
module.exports.default = normalizeUrl;
|
||||
@@ -0,0 +1,42 @@
|
||||
{
|
||||
"name": "adler-32",
|
||||
"version": "1.2.0",
|
||||
"author": "sheetjs",
|
||||
"description": "Pure-JS ADLER-32",
|
||||
"keywords": [ "adler32", "checksum" ],
|
||||
"bin": {
|
||||
"adler32": "./bin/adler32.njs"
|
||||
},
|
||||
"main": "./adler32",
|
||||
"types": "types",
|
||||
"dependencies": {
|
||||
"printj":"~1.1.0",
|
||||
"exit-on-epipe":"~1.0.1"
|
||||
},
|
||||
"devDependencies": {
|
||||
"mocha":"~2.5.3",
|
||||
"blanket": "~1.2.3",
|
||||
"codepage":"~1.10.0",
|
||||
"@sheetjs/uglify-js":"~2.7.3",
|
||||
"@types/node":"^8.0.7",
|
||||
"dtslint": "^0.1.2",
|
||||
"typescript": "2.2.0"
|
||||
},
|
||||
"repository": { "type":"git", "url":"git://github.com/SheetJS/js-adler32.git" },
|
||||
"scripts": {
|
||||
"test": "make test",
|
||||
"build": "make",
|
||||
"lint": "make fullint",
|
||||
"dtslint": "dtslint types"
|
||||
},
|
||||
"config": {
|
||||
"blanket": {
|
||||
"pattern": "adler32.js"
|
||||
}
|
||||
},
|
||||
"homepage": "http://sheetjs.com/opensource",
|
||||
"files": ["adler32.js", "bin/adler32.njs", "LICENSE", "README.md", "types/index.d.ts", "types/*.json"],
|
||||
"bugs": { "url": "https://github.com/SheetJS/js-adler32/issues" },
|
||||
"license": "Apache-2.0",
|
||||
"engines": { "node": ">=0.8" }
|
||||
}
|
||||
@@ -0,0 +1,41 @@
|
||||
{
|
||||
"name": "tinro",
|
||||
"version": "0.6.1",
|
||||
"description": "tinro is a tiny declarative router for Svelte",
|
||||
"main": "dist/tinro.js",
|
||||
"module": "dist/tinro.es.js",
|
||||
"svelte": "cmp/index.js",
|
||||
"types": "index.d.ts",
|
||||
"scripts": {
|
||||
"build": "node esbuild",
|
||||
"dev": "node tests/esbuild.dev --dev",
|
||||
"compare": "npm run test:build && node tests/esbuild.compare",
|
||||
"test:build": "node tests/esbuild.dev",
|
||||
"test": "npm run test:build && node tests | tap-diff"
|
||||
},
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git+https://github.com/AlexxNB/tinro.git"
|
||||
},
|
||||
"keywords": [
|
||||
"svelte-router",
|
||||
"router",
|
||||
"svelte"
|
||||
],
|
||||
"author": "Alexey Schebelev",
|
||||
"license": "MIT",
|
||||
"bugs": {
|
||||
"url": "https://github.com/AlexxNB/tinro/issues"
|
||||
},
|
||||
"homepage": "https://github.com/AlexxNB/tinro#readme",
|
||||
"devDependencies": {
|
||||
"@detools/tap-diff": "^0.2.2",
|
||||
"derver": "^0.4.13",
|
||||
"esbuild": "^0.9.3",
|
||||
"esbuild-svelte": "^0.4.3",
|
||||
"port-authority": "^1.1.2",
|
||||
"puppeteer": "^3.3.0",
|
||||
"svelte": "^3.35.0",
|
||||
"tape-modern": "^1.1.2"
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"subscribeToPromise.js","sources":["../../src/internal/util/subscribeToPromise.ts"],"names":[],"mappings":";;AACA,qDAAoD;AAEvC,QAAA,kBAAkB,GAAG,UAAI,OAAuB,IAAK,OAAA,UAAC,UAAyB;IAC1F,OAAO,CAAC,IAAI,CACV,UAAC,KAAK;QACJ,IAAI,CAAC,UAAU,CAAC,MAAM,EAAE;YACtB,UAAU,CAAC,IAAI,CAAC,KAAK,CAAC,CAAC;YACvB,UAAU,CAAC,QAAQ,EAAE,CAAC;SACvB;IACH,CAAC,EACD,UAAC,GAAQ,IAAK,OAAA,UAAU,CAAC,KAAK,CAAC,GAAG,CAAC,EAArB,CAAqB,CACpC;SACA,IAAI,CAAC,IAAI,EAAE,iCAAe,CAAC,CAAC;IAC7B,OAAO,UAAU,CAAC;AACpB,CAAC,EAZiE,CAYjE,CAAC"}
|
||||
@@ -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","2":"C K L H","194":"M N O","513":"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 DC EC","194":"XB YB uB ZB vB aB bB cB dB eB fB gB hB iB jB kB e","450":"lB mB nB oB pB","513":"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"},D:{"1":"gB hB iB jB kB e lB mB nB oB pB P Q R S T U V W X Y Z","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","194":"ZB vB aB bB cB dB eB fB","513":"a b c d f g h i j k l m n o p q r s D t xB yB FC"},E:{"2":"I u J E F G A GC zB HC IC JC KC","194":"B C K L H 0B qB rB 1B LC MC","513":"2B 3B 4B 5B sB 6B 7B 8B NC"},F:{"1":"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 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 OC PC QC RC qB 9B SC rB","194":"NB OB PB QB RB SB TB UB VB WB XB YB ZB aB bB"},G:{"2":"F zB TC AC UC VC WC XC YC ZC aC","194":"bC cC dC eC fC gC hC iC jC kC lC mC","513":"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 qB 9B rB","513":"e"},L:{"513":"D"},M:{"513":"D"},N:{"2":"A B"},O:{"1":"uC"},P:{"2":"I vC wC xC yC zC 0B 0C 1C 2C 3C","513":"4C sB 5C 6C 7C"},Q:{"2":"1B"},R:{"513":"8C"},S:{"2":"9C"}},B:6,C:"Shared Array Buffer"};
|
||||
@@ -0,0 +1 @@
|
||||
{"version":3,"file":"finalize.js","sources":["../../../src/internal/operators/finalize.ts"],"names":[],"mappings":";AACA,OAAO,EAAE,UAAU,EAAE,MAAM,eAAe,CAAC;AAC3C,OAAO,EAAE,YAAY,EAAE,MAAM,iBAAiB,CAAC;AAY/C,MAAM,UAAU,QAAQ,CAAI,QAAoB;IAC9C,OAAO,UAAC,MAAqB,IAAK,OAAA,MAAM,CAAC,IAAI,CAAC,IAAI,eAAe,CAAC,QAAQ,CAAC,CAAC,EAA1C,CAA0C,CAAC;AAC/E,CAAC;AAED;IACE,yBAAoB,QAAoB;QAApB,aAAQ,GAAR,QAAQ,CAAY;IACxC,CAAC;IAED,8BAAI,GAAJ,UAAK,UAAyB,EAAE,MAAW;QACzC,OAAO,MAAM,CAAC,SAAS,CAAC,IAAI,iBAAiB,CAAC,UAAU,EAAE,IAAI,CAAC,QAAQ,CAAC,CAAC,CAAC;IAC5E,CAAC;IACH,sBAAC;AAAD,CAAC,AAPD,IAOC;AAOD;IAAmC,6CAAa;IAC9C,2BAAY,WAA0B,EAAE,QAAoB;QAA5D,YACE,kBAAM,WAAW,CAAC,SAEnB;QADC,KAAI,CAAC,GAAG,CAAC,IAAI,YAAY,CAAC,QAAQ,CAAC,CAAC,CAAC;;IACvC,CAAC;IACH,wBAAC;AAAD,CAAC,AALD,CAAmC,UAAU,GAK5C"}
|
||||
Reference in New Issue
Block a user