├── .gitignore
├── README.md
├── src
├── index.ts
├── reactivity
│ ├── index.ts
│ ├── tests
│ │ ├── shallowReadonly.spec.ts
│ │ ├── readonly.spec.ts
│ │ ├── reactive.spec.ts
│ │ ├── computed.spec.ts
│ │ ├── ref.spec.ts
│ │ └── effect.spec.ts
│ ├── computed.ts
│ ├── reactive.ts
│ ├── baseHandlers.ts
│ ├── ref.ts
│ └── effect.ts
├── runtime-core
│ ├── index.ts
│ ├── componentProps.ts
│ ├── h.ts
│ ├── componentEmit.ts
│ ├── createApp.ts
│ ├── componentPublicInstance.ts
│ ├── vnode.ts
│ ├── component.ts
│ └── renderer.ts
└── shared
│ ├── ShapeFlags.ts
│ └── index.ts
├── .vscode
├── setting.json
└── launch.json
├── example
├── helloword
│ ├── main.js
│ ├── Foo.js
│ ├── index.html
│ └── app.js
└── componentEmit
│ ├── main.js
│ ├── index.html
│ ├── App.js
│ └── Foo.js
├── babel.config.js
├── rollup.config.js
├── package.json
├── lib
├── zzq-mini-vue.esm.js
└── zzq-mini-vue.cjs.js
├── tsconfig.json
└── yarn.lock
/.gitignore:
--------------------------------------------------------------------------------
1 | node_modules
2 | /lib
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # my-mini-vue
2 | how:
3 |
4 | 自己实现vue3核心源码
5 |
--------------------------------------------------------------------------------
/src/index.ts:
--------------------------------------------------------------------------------
1 | //mini-vue 出口
2 | export * from './runtime-core'
--------------------------------------------------------------------------------
/.vscode/setting.json:
--------------------------------------------------------------------------------
1 |
2 |
3 | {
4 | "liveServer.settings.port": 5501
5 | }
--------------------------------------------------------------------------------
/src/reactivity/index.ts:
--------------------------------------------------------------------------------
1 |
2 |
3 | export function add(a, b){
4 | return a + b
5 | }
6 |
--------------------------------------------------------------------------------
/src/runtime-core/index.ts:
--------------------------------------------------------------------------------
1 | export { createApp } from './createApp'
2 | export { h } from './h'
--------------------------------------------------------------------------------
/src/runtime-core/componentProps.ts:
--------------------------------------------------------------------------------
1 | export function initProps(instance,rawProps) {
2 | instance.props = rawProps || {}
3 | }
--------------------------------------------------------------------------------
/src/runtime-core/h.ts:
--------------------------------------------------------------------------------
1 | import { createVNode } from './vnode'
2 |
3 | export function h(type, props?, children?) {
4 | return createVNode(type, props, children)
5 | }
--------------------------------------------------------------------------------
/src/shared/ShapeFlags.ts:
--------------------------------------------------------------------------------
1 | export const enum ShapeFlags {
2 | ELEMENT = 1,
3 | STATEFUL_COMPONENT = 1 << 1,
4 | TEXT_CHILDREN = 1 << 2,
5 | ARRAY_CHILDREN = 1 << 3
6 | }
--------------------------------------------------------------------------------
/example/helloword/main.js:
--------------------------------------------------------------------------------
1 | import { createApp } from "../../lib/zzq-mini-vue.esm.js";
2 | import { App } from "./App.js";
3 |
4 | const rootContainer = document.querySelector("#app");
5 |
6 | createApp(App).mount(rootContainer);
7 |
--------------------------------------------------------------------------------
/example/componentEmit/main.js:
--------------------------------------------------------------------------------
1 | import { createApp } from "../../lib/zzq-mini-vue.esm.js";
2 | import { App } from "./App.js";
3 |
4 | const rootContainer = document.querySelector("#app");
5 |
6 | createApp(App).mount(rootContainer);
7 |
--------------------------------------------------------------------------------
/example/helloword/Foo.js:
--------------------------------------------------------------------------------
1 | import { h } from "../../lib/zzq-mini-vue.esm.js";
2 |
3 | export const Foo = {
4 | setup(props) {
5 | console.log(props);
6 | props.count++;
7 | },
8 | render() {
9 | return h("div", {}, "foo:" + this.count);
10 | },
11 | };
12 |
--------------------------------------------------------------------------------
/src/runtime-core/componentEmit.ts:
--------------------------------------------------------------------------------
1 | import { camelize, toHandlerKey } from "../shared/index"
2 |
3 | export function emit (instance,event, ...args){
4 | const { props } = instance
5 |
6 | const handler = props[toHandlerKey(camelize(event))]
7 | handler&&handler(...args)
8 |
9 | }
--------------------------------------------------------------------------------
/src/runtime-core/createApp.ts:
--------------------------------------------------------------------------------
1 | import { render } from "./renderer"
2 | import { createVNode } from "./vnode"
3 |
4 | export function createApp(rootComponent) {
5 | return {
6 | mount(rootContainer) {
7 | const vnode = createVNode(rootComponent)
8 | render(vnode,rootContainer)
9 | }
10 | }
11 | }
12 |
13 |
--------------------------------------------------------------------------------
/example/helloword/index.html:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
6 | Document
7 |
8 |
9 |
10 |
11 |
12 |
--------------------------------------------------------------------------------
/example/componentEmit/index.html:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
6 | Document
7 |
8 |
9 |
10 |
11 |
12 |
--------------------------------------------------------------------------------
/babel.config.js:
--------------------------------------------------------------------------------
1 | /*
2 | * @Author: zhaozhiqiang
3 | * @Date: 2022-03-03 21:16:33
4 | * @LastEditTime: 2022-03-03 21:19:34
5 | * @LastEditors: zhaozhiqiang
6 | * @Description:
7 | */
8 | module.exports = {
9 | presets: [
10 | ["@babel/preset-env", { targets: { node: "current" } }],
11 | "@babel/preset-typescript",
12 | ],
13 | };
14 |
--------------------------------------------------------------------------------
/rollup.config.js:
--------------------------------------------------------------------------------
1 | import pkg from "./package.json";
2 | import typescript from "@rollup/plugin-typescript";
3 | export default {
4 | input: "./src/index.ts",
5 | output: [
6 | {
7 | format: "cjs",
8 | file: pkg.main,
9 | },
10 | {
11 | format: "es",
12 | file: pkg.module,
13 | },
14 | ],
15 | plugins: [typescript()],
16 | };
17 |
--------------------------------------------------------------------------------
/example/componentEmit/App.js:
--------------------------------------------------------------------------------
1 | import { h } from "../../lib/zzq-mini-vue.esm.js";
2 | import { Foo } from "./Foo.js";
3 |
4 | export const App = {
5 | render() {
6 | return h("div", {}, [
7 | h("div", {}, "APP"),
8 | h(Foo, {
9 | onAdd(a, b) {
10 | console.log("onAdd", a, b);
11 | },
12 | onAddFoo() {
13 | console.log("onAddFoo");
14 | },
15 | }),
16 | ]);
17 | },
18 | setup() {
19 | return {};
20 | },
21 | };
22 |
--------------------------------------------------------------------------------
/src/reactivity/tests/shallowReadonly.spec.ts:
--------------------------------------------------------------------------------
1 | import { isReadonly, shallowReadonly } from "../reactive"
2 |
3 | describe('shallowReadonly',()=>{
4 | test('浅响应 readonly',()=>{
5 | const props = shallowReadonly({
6 | n:{
7 | foo:1
8 | }
9 | })
10 | expect(isReadonly(props)).toBe(true)
11 | expect(isReadonly(props.n)).toBe(false)
12 | })
13 |
14 | it('warn then call set',()=>{
15 | console.warn = jest.fn()
16 | const user = shallowReadonly({age:12})
17 | user.age = 11
18 | expect(console.warn).toBeCalled()
19 | })
20 | })
--------------------------------------------------------------------------------
/example/componentEmit/Foo.js:
--------------------------------------------------------------------------------
1 | import { h } from "../../lib/zzq-mini-vue.esm.js";
2 |
3 | export const Foo = {
4 | setup(props, { emit }) {
5 | const emitAdd = () => {
6 | console.log("123");
7 | emit("add", 1, 2);
8 | emit("add-foo");
9 | };
10 | return {
11 | emitAdd,
12 | };
13 | },
14 | render() {
15 | const btn = h(
16 | "button",
17 | {
18 | onClick: this.emitAdd,
19 | },
20 | "emitAdd"
21 | );
22 |
23 | const foo = h("div", {}, "foo");
24 | return h("div", {}, [foo, btn]);
25 | },
26 | };
27 |
--------------------------------------------------------------------------------
/src/runtime-core/componentPublicInstance.ts:
--------------------------------------------------------------------------------
1 | import { hasOwn } from "../shared/index"
2 |
3 | const publickPropertiesMap = {
4 | $el: (i)=> i.vnode.el
5 | }
6 |
7 | export const PublickInstanceProxyHandlers = {
8 | get({_:instance},key) {
9 | const { setupState,props } = instance
10 |
11 | if(hasOwn(setupState,key)) {
12 | return setupState[key]
13 | }else if(hasOwn(props,key)) {
14 | return props[key]
15 | }
16 | const publicGetter = publickPropertiesMap[key]
17 | if(publicGetter) {
18 | return publicGetter(instance)
19 | }
20 | }
21 | }
--------------------------------------------------------------------------------
/src/runtime-core/vnode.ts:
--------------------------------------------------------------------------------
1 | import { ShapeFlags } from "../shared/ShapeFlags"
2 |
3 | export function createVNode(type, props?, children?) {
4 | const vnode = {
5 | type,
6 | props,
7 | children,
8 | shapeFlag: getShapeFlag(type),
9 | el:null
10 | }
11 | if(typeof children === 'string') {
12 | vnode.shapeFlag |= ShapeFlags.TEXT_CHILDREN
13 | }else if(Array.isArray(children)) {
14 | vnode.shapeFlag |= ShapeFlags.ARRAY_CHILDREN
15 | }
16 | return vnode
17 | }
18 |
19 | function getShapeFlag(type) {
20 | return typeof type === 'string'
21 | ? ShapeFlags.ELEMENT
22 | : ShapeFlags.STATEFUL_COMPONENT
23 | }
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "zzq-mini-vue",
3 | "version": "1.0.0",
4 | "main": "lib/zzq-mini-vue.cjs.js",
5 | "module":"lib/zzq-mini-vue.esm.js",
6 | "license": "MIT",
7 | "scripts": {
8 | "test": "jest",
9 | "build": "rollup -c rollup.config.js"
10 | },
11 | "devDependencies": {
12 | "@babel/core": "^7.17.5",
13 | "@babel/preset-env": "^7.16.11",
14 | "@babel/preset-typescript": "^7.16.7",
15 | "@rollup/plugin-typescript": "^8.3.2",
16 | "@types/jest": "^27.4.1",
17 | "babel-jest": "^27.5.1",
18 | "jest": "^27.5.1",
19 | "rollup": "^2.70.1",
20 | "tslib": "^2.3.1",
21 | "typescript": "^4.6.3"
22 | }
23 | }
24 |
--------------------------------------------------------------------------------
/src/reactivity/tests/readonly.spec.ts:
--------------------------------------------------------------------------------
1 | import { isProxy, isReadonly, readonly } from "../reactive"
2 |
3 | describe('readonly',()=>{
4 | it('happy path',()=>{
5 | const a = {foo:1,bar:{baz:2}}
6 | const wrapped = readonly(a)
7 | expect(wrapped).not.toBe(a)
8 | expect(wrapped.foo).toBe(1)
9 | expect(isReadonly(wrapped)).toBe(true)
10 | expect(isReadonly(wrapped.bar)).toBe(true)
11 | expect(isReadonly(a)).toBe(false)
12 | expect(isProxy(wrapped)).toBe(true)
13 | })
14 |
15 | it('warn then call set',()=>{
16 | console.warn = jest.fn()
17 | const user = readonly({age:12})
18 | user.age = 11
19 | expect(console.warn).toBeCalled()
20 | })
21 | })
--------------------------------------------------------------------------------
/src/shared/index.ts:
--------------------------------------------------------------------------------
1 |
2 | export const extend = Object.assign
3 | export const isObject = (val)=>{
4 | return val !==null && typeof val === 'object'
5 | }
6 |
7 | export const hasChange = (val,newVal)=>{
8 | return !Object.is(val,newVal)
9 | }
10 |
11 | export const hasOwn = (val,key) => Object.prototype.hasOwnProperty.call(val,key)
12 |
13 | export const capitalize = (str:string)=>{
14 | return str.charAt(0).toUpperCase()+str.slice(1)
15 | }
16 | export const toHandlerKey = (str:string)=> {
17 | return str ? "on"+ capitalize(str) : ""
18 | }
19 | export const camelize = (str:string)=>{
20 | return str.replace(/-(\w)/g, (_,c:string)=>{
21 | return c ? c.toUpperCase():''
22 | })
23 | }
--------------------------------------------------------------------------------
/.vscode/launch.json:
--------------------------------------------------------------------------------
1 | {
2 | // Use IntelliSense to learn about possible attributes.
3 | // Hover to view descriptions of existing attributes.
4 | // For more information, visit: https://go.microsoft.com/fwlink/?linkid=830387
5 | "version": "0.2.0",
6 | "configurations": [
7 | {
8 | "type": "node",
9 | "name": "vscode-jest-tests",
10 | "request": "launch",
11 | "program": "${workspaceFolder}/node_modules/jest/bin/jest",
12 | "args": ["--runInBand", "--watchAll=false"],
13 | "cwd": "${workspaceFolder}",
14 | "console": "integratedTerminal",
15 | "internalConsoleOptions": "neverOpen",
16 | "disableOptimisticBPs": true,
17 | "windows": {
18 | "program": "${workspaceFolder}/node_modules/jest/bin/jest"
19 | }
20 | }
21 | ]
22 | }
--------------------------------------------------------------------------------
/src/reactivity/tests/reactive.spec.ts:
--------------------------------------------------------------------------------
1 |
2 | import { isProxy, isReactive, reactive } from '../reactive'
3 | describe('reactive', () => {
4 | it('happy path',()=>{
5 | const original = {age:10}
6 | const observe = reactive(original)
7 | expect(observe).not.toBe(original)
8 | expect(observe.age).toBe(10)
9 | expect(isReactive(observe)).toBe(true)
10 | expect(isReactive(original)).toBe(false)
11 | expect(isProxy(observe)).toBe(true)
12 | })
13 | test('nested reactive',()=>{
14 | const original = {
15 | nested:{
16 | foo:1
17 | },
18 | array:[{bar:2}]
19 | }
20 | const observe = reactive(original)
21 | expect(isReactive(observe.nested)).toBe(true)
22 | expect(isReactive(observe.array)).toBe(true)
23 | expect(isReactive(observe.array[0])).toBe(true)
24 | })
25 | })
26 |
27 |
--------------------------------------------------------------------------------
/example/helloword/app.js:
--------------------------------------------------------------------------------
1 | import { h } from "../../lib/zzq-mini-vue.esm.js";
2 | import { Foo } from "./Foo.js";
3 | window.self = null;
4 | export const App = {
5 | render() {
6 | window.self = this;
7 | return h(
8 | "div",
9 | {
10 | id: "root",
11 | class: ["red", "blue"],
12 | onClick() {
13 | console.log("click");
14 | },
15 | onMousedown() {
16 | console.log("Mousedown");
17 | },
18 | },
19 | [
20 | h("div", {}, "hi:" + this.msg),
21 | h(Foo, {
22 | count: 1,
23 | }),
24 | ]
25 | //"hi," + this.msg //字符串类型
26 | //[h("p", { class: "red" }, "hi"), h("p", { class: "blue" }, "mini-vue")]
27 | );
28 | },
29 | setup() {
30 | return {
31 | msg: "mini-vue",
32 | };
33 | },
34 | };
35 |
--------------------------------------------------------------------------------
/src/reactivity/tests/computed.spec.ts:
--------------------------------------------------------------------------------
1 | import { computed } from "../computed"
2 | import { reactive } from "../reactive"
3 |
4 | describe('computed',()=>{
5 | it('happy path',()=>{
6 | const user = reactive({age:1})
7 | const age = computed(()=>{
8 | return user.age
9 | })
10 | expect(age.value).toBe(1)
11 | })
12 |
13 | it('should coputed lazily',()=>{
14 | const user = reactive({
15 | foo:2
16 | })
17 | const getter = jest.fn(()=>{
18 | return user.foo
19 | })
20 |
21 | const cValue = computed(getter)
22 | expect(getter).not.toHaveBeenCalled()
23 |
24 | expect(cValue.value).toBe(2)
25 | expect(getter).toHaveBeenCalledTimes(1)
26 |
27 | cValue.value
28 | expect(getter).toHaveBeenCalledTimes(1)
29 |
30 | user.foo = 3
31 | expect(getter).toHaveBeenCalledTimes(1)
32 |
33 | expect(cValue.value).toBe(3)
34 | expect(getter).toHaveBeenCalledTimes(2)
35 |
36 |
37 |
38 | })
39 | })
40 |
--------------------------------------------------------------------------------
/src/reactivity/computed.ts:
--------------------------------------------------------------------------------
1 | import { ReactiveEffect } from "./effect"
2 |
3 | class ComputedIml {
4 | private _getter: any
5 | private _dirty: boolean = true
6 | private _value: any
7 | private _effect: any
8 | constructor(getter) {
9 | this._getter = getter
10 | //第二个参数就是调度器 scheduler,此逻辑在前面文章中有讲到,欢迎观看https://juejin.cn/post/7083073866980917284
11 | this._effect = new ReactiveEffect(getter,()=>{
12 | //默认_dirty为true,当数据发生变化,也就是trigger时候,我们传入调度器,把开关打开。当下一次调用computed的value时候,开关打开,重新执行,获取最新的值返回
13 | if(!this._dirty) {
14 | this._dirty = true
15 | }
16 | })
17 | }
18 | get value() {
19 | //默认_dirty为true,第一次时候进行执行,然后又把开关关闭。只有再次打开才会执行。
20 | if(this._dirty){
21 | this._dirty = false
22 | //执行run方法,进行触发依赖。将最新的值返回
23 | this._value = this._effect.run()
24 | }
25 | //如果开关关闭,则返回之前的值。
26 | return this._value
27 | }
28 | }
29 |
30 | export function computed(getter) {
31 | return new ComputedIml(getter)
32 | }
--------------------------------------------------------------------------------
/src/reactivity/reactive.ts:
--------------------------------------------------------------------------------
1 | import { isObject } from "../shared/index";
2 | import { mutableHandlers, readonlyHandlers,shallowReadonlyHandlers } from "./baseHandlers"
3 |
4 | //创建枚举集合,匹配isReactive和isReadonly
5 | export const enum ReactiveFlags {
6 | IS_REACTIVE = '__v_isReactive',
7 | IS_READONLY = '__v_isReadonly'
8 | }
9 | //导出reactive对象
10 | export function reactive(raw) {
11 | return createActiveObject(raw,mutableHandlers)
12 | }
13 |
14 | export function isReactive(value) {
15 | return !!value[ReactiveFlags.IS_REACTIVE];
16 | }
17 |
18 | export function readonly(raw) {
19 | return createActiveObject(raw,readonlyHandlers)
20 | }
21 |
22 | export function shallowReadonly(raw) {
23 | return createActiveObject(raw,shallowReadonlyHandlers)
24 | }
25 |
26 | export function isReadonly(value) {
27 | return !!value[ReactiveFlags.IS_READONLY];
28 | }
29 |
30 | export function isProxy(val) {
31 | return isReactive(val) || isReadonly(val)
32 | }
33 |
34 |
35 | //创建reactive对象的方法
36 | function createActiveObject(raw: any,baseHandlers) {
37 | if(!isObject(raw)) {
38 | console.warn(`target:${raw}必须是一个对象`)
39 | return
40 | }
41 | //通过Proxy实现对象数据的响应式监听
42 | return new Proxy(raw, baseHandlers)
43 | }
44 |
--------------------------------------------------------------------------------
/src/runtime-core/component.ts:
--------------------------------------------------------------------------------
1 | import { shallowReadonly } from "../reactivity/reactive";
2 | import { emit } from "./componentEmit";
3 | import { initProps } from "./componentProps";
4 | import { PublickInstanceProxyHandlers } from "./componentPublicInstance";
5 |
6 | export function createComponentInstance(vnode) {
7 | const component = {
8 | vnode,
9 | type:vnode.type,
10 | setupState:{},
11 | props:{},
12 | emit:()=>{}
13 | };
14 |
15 | component.emit = emit.bind(null,component) as any;
16 |
17 | return component;
18 | }
19 |
20 | export function setupComponent(instance) {
21 | initProps(instance,instance.vnode.props);
22 | //initSlots();
23 | setupStatefulComponent(instance)
24 | }
25 |
26 | function setupStatefulComponent(instance:any) {
27 | const Component = instance.type
28 | instance.proxy = new Proxy({_:instance},PublickInstanceProxyHandlers)
29 | const { setup } = Component
30 |
31 | if(setup) {
32 | const setupResult = setup(shallowReadonly(instance.props),{
33 | emit: instance.emit,
34 | });
35 |
36 | handleSetupResult(instance,setupResult)
37 | }
38 | }
39 |
40 | function handleSetupResult(instance,setupResult:any) {
41 | if(typeof setupResult === 'object') {
42 | instance.setupState = setupResult
43 | }
44 | finishComponentSetup(instance)
45 | }
46 |
47 |
48 | function finishComponentSetup(instance:any) {
49 | const Component = instance.type
50 | //if(Component.render) {
51 | instance.render = Component.render
52 | //}
53 | }
--------------------------------------------------------------------------------
/src/reactivity/baseHandlers.ts:
--------------------------------------------------------------------------------
1 | import { extend, isObject } from "../shared"
2 | import { track, trigger } from "./effect"
3 | import { reactive, ReactiveFlags, readonly } from "./reactive"
4 |
5 | const get = createGetter()
6 | const set = createSetter()
7 | const readonlyGet = createGetter(true)
8 | const shallowReadonlyGet = createGetter(true,true)
9 | //抽象出createGetter 方法,相当于get方法收集依赖
10 | function createGetter(isReadonly=false,shallow = false) {
11 | return function get(target,key) {
12 | if(key === ReactiveFlags.IS_REACTIVE) {
13 | //isReactive的实现,如果匹配到且不是只读属性,则返回true,即!isReadonly
14 | return !isReadonly
15 | }else if(key === ReactiveFlags.IS_READONLY) {
16 | //isReadonly的实现,如果匹配到是只读属性,则返回
17 | return isReadonly
18 | }
19 | let res = Reflect.get(target,key)
20 | //判断是否为shallow,直接返回值就好
21 | if(shallow) {
22 | return res
23 | }
24 | //数据嵌套判断,如果是isReadonly,就用readonly包裹嵌套的深层数据,如果不是,就用reactive嵌套深层,使其成为响应式数据
25 | if(isObject(res)) {
26 | return isReadonly ? readonly(res) : reactive(res)
27 | }
28 | if(!isReadonly) {
29 | track(target,key)
30 | }
31 | return res
32 | }
33 | }
34 | //createSetter 方法,相当于set方法触发依赖
35 | function createSetter(isReadonly = false) {
36 | return function get(target,key,val) {
37 | let res = Reflect.set(target,key,val)
38 | //触发依赖
39 | trigger(target,key)
40 | return res
41 | }
42 | }
43 |
44 | export const mutableHandlers = {
45 | get,
46 | set
47 | }
48 |
49 | export const readonlyHandlers = {
50 | get: readonlyGet,
51 | set(target,key,val) {
52 | console.warn(`key:${key} set 失败,因为 target是readonly`,target)
53 | return true
54 | }
55 | }
56 |
57 | export const shallowReadonlyHandlers = extend({},readonlyHandlers,{
58 | get: shallowReadonlyGet,
59 | })
60 |
--------------------------------------------------------------------------------
/src/reactivity/tests/ref.spec.ts:
--------------------------------------------------------------------------------
1 | import { effect } from "../effect"
2 | import { reactive } from "../reactive"
3 | import { isRef, proxyRefs, ref, unRef } from "../ref"
4 |
5 | describe('ref',()=>{
6 | it('happy path',()=>{
7 | const a = ref(1)
8 | expect(a.value).toBe(1)
9 | })
10 | it('should is reactive',()=>{
11 | const a = ref(1)
12 | let dummy;
13 | let calls = 0
14 | effect(()=>{
15 | calls++
16 | dummy = a.value
17 | })
18 | expect(calls).toBe(1)
19 | expect(dummy).toBe(1)
20 | a.value = 2
21 | expect(calls).toBe(2)
22 | expect(dummy).toBe(2)
23 | a.value = 2
24 | expect(calls).toBe(2)
25 | expect(dummy).toBe(2)
26 | })
27 |
28 | it("should make nested properties reactive",()=>{
29 | const a = ref({
30 | count:1
31 | })
32 | let dummy;
33 | effect(()=>{
34 | dummy = a.value.count
35 | })
36 | expect(dummy).toBe(1)
37 | a.value.count = 2
38 | expect(dummy).toBe(2)
39 | })
40 |
41 | it('isRef',()=>{
42 | const b = ref(1)
43 | const user = reactive({age:1})
44 | expect(isRef(b)).toBe(true)
45 | expect(isRef(1)).toBe(false)
46 | expect(isRef(user)).toBe(false)
47 | })
48 |
49 | it('unRef',()=>{
50 | const b = ref(1)
51 | expect(unRef(b)).toBe(1)
52 | expect(unRef(1)).toBe(1)
53 | })
54 |
55 | it('proxyRefs',()=>{
56 | const user = {
57 | age:ref(1),
58 | b:2
59 | }
60 | const proxyUser = proxyRefs(user)
61 | expect(user.age.value).toBe(1)
62 | expect(proxyUser.age).toBe(1)
63 | expect(proxyUser.b).toBe(2)
64 |
65 | proxyUser.age = 20;
66 | expect(proxyUser.age).toBe(20)
67 | expect(user.age.value).toBe(20)
68 |
69 | proxyUser.age = ref(10)
70 | expect(proxyUser.age).toBe(10)
71 | expect(user.age.value).toBe(10)
72 |
73 | })
74 | })
--------------------------------------------------------------------------------
/src/reactivity/tests/effect.spec.ts:
--------------------------------------------------------------------------------
1 |
2 |
3 | import { effect,stop } from '../effect'
4 | import {reactive} from '../reactive'
5 |
6 | describe("effect",()=>{
7 | it('happy path',()=>{
8 | const user = reactive(
9 | {
10 | age:10
11 | }
12 | )
13 | let nextAge;
14 | effect(()=>{
15 | nextAge = user.age + 1
16 | })
17 | expect(nextAge).toBe(11)
18 | user.age++
19 | expect(nextAge).toBe(12)
20 |
21 | })
22 |
23 | it('runner',()=>{
24 | let foo = 10
25 | const runner:any = effect(()=>{
26 | foo++
27 | return 'foo'
28 | })
29 | expect(foo).toBe(11)
30 | const r = runner()
31 | expect(foo).toBe(12)
32 | expect(r).toBe('foo')
33 | })
34 |
35 | it('scheduler',()=>{
36 | let dummy;
37 | let run:any;
38 | const scheduler = jest.fn(()=>{
39 | run = runner;
40 | })
41 | const obj = reactive({foo:1})
42 | const runner = effect(
43 | ()=>{
44 | dummy = obj.foo
45 | },
46 | {
47 | scheduler
48 | }
49 | )
50 |
51 | expect(scheduler).not.toHaveBeenCalled()
52 | expect(dummy).toBe(1)
53 |
54 | obj.foo++
55 | expect(scheduler).toHaveBeenCalledTimes(1)
56 | expect(dummy).toBe(1)
57 |
58 | run()
59 | expect(dummy).toBe(2)
60 | })
61 |
62 | it('stop',()=>{
63 | let dummy;
64 | const obj = reactive({prop:1})
65 | const runner= effect(()=>{
66 | dummy = obj.prop
67 | })
68 | obj.prop = 2
69 | expect(dummy).toBe(2)
70 | stop(runner)
71 | obj.prop++
72 | expect(dummy).toBe(2)
73 | runner()
74 | expect(dummy).toBe(3)
75 | })
76 |
77 | it('onStop',()=>{
78 | const obj = reactive({
79 | foo:1
80 | })
81 | const onStop = jest.fn()
82 | let dummy;
83 | const runner = effect(
84 | ()=>{
85 | dummy = obj.foo
86 | },
87 | {
88 | onStop
89 | }
90 | )
91 | stop(runner);
92 | expect(onStop).toBeCalledTimes(1);
93 | })
94 | })
--------------------------------------------------------------------------------
/src/reactivity/ref.ts:
--------------------------------------------------------------------------------
1 | import { hasChange, isObject } from "../shared";
2 | import { isTracking, trackEffects, triggerEffects } from "./effect";
3 | import { reactive } from "./reactive";
4 |
5 | class RefImpl {
6 | private _value: any; //创建私有属性
7 | public dep; //创建公共属性dep,收集effect
8 | private _rawValue: any;
9 | public __v_isRef = true //属性代表为是ref
10 | constructor(value){
11 | this._rawValue = value // 保存最新的value值,方便新旧object进行对比,不然object和reactive(object)无法进行对比
12 | this._value = convert(value)
13 | this.dep = new Set();
14 | }
15 | get value() {
16 | trackRefValue(this) //进行依赖收集
17 | return this._value
18 | }
19 | set value(newValue) {
20 | if(hasChange(this._value,newValue)){
21 | this._rawValue = newValue // 保存最新的value值,方便新旧object进行对比,不然object和reactive(object)无法进行对比
22 | this._value = convert(newValue)
23 | triggerEffects(this.dep) //触发依赖
24 | }
25 |
26 | }
27 | }
28 | //当ref 中包裹为对象时,我们用reactive包裹,使其具有响应式数据。否则直接返回value值
29 | function convert(value) {
30 | return isObject(value)?reactive(value):value;
31 | }
32 |
33 | function trackRefValue(ref) {
34 | //当我们收集的时候首先必须当前effect,也就是activeEffect,才会被收集。
35 | if(isTracking()) {
36 | trackEffects(ref.dep)
37 | }
38 | }
39 |
40 | export function ref(value) {
41 | //创建一个ref的class类
42 | return new RefImpl(value)
43 | }
44 |
45 | export function isRef(ref) {
46 | //在ref类中添加一个__v_isRef变量,代表是ref
47 | return !!ref.__v_isRef
48 | }
49 |
50 | export function unRef(ref) {
51 | //如果数据是ref,我们返回ref.value,如果不是的话 ,直接返回value就好了
52 | return isRef(ref) ? ref.value : ref
53 | }
54 | //直接访问对象的属性,无需.value取值。
55 | export function proxyRefs(objectWithRefs) {
56 | return new Proxy(objectWithRefs,{
57 | get(target,key) {
58 | //执行unRef逻辑(如果Reflect.get(target,key)值是ref,则返回ref.value 否则返回value)
59 | return unRef(Reflect.get(target,key))
60 | },
61 | set(target,key,value) {
62 | //赋值时候,点当原来的属性值target[key]为ref类型且赋给最新值不是ref类型时候,返回target[key].value
63 | if(isRef(target[key])&& !isRef(value)){
64 | return target[key].value = value
65 | }else {
66 | //否则直接替换最新值就好
67 | return Reflect.set(target,key,value)
68 | }
69 | }
70 | })
71 | }
--------------------------------------------------------------------------------
/src/runtime-core/renderer.ts:
--------------------------------------------------------------------------------
1 |
2 | import { isObject } from "../shared/index"
3 | import { ShapeFlags } from "../shared/ShapeFlags"
4 | import { createComponentInstance, setupComponent } from "./component"
5 |
6 | export function render(vnode,container){
7 | //调用path方法
8 | path(vnode,container)
9 | }
10 |
11 | function path(vnode,container) {
12 | //去处理组件
13 | //判断vnode是不是element
14 | //如何区分是element或者component类型
15 | //processElement()
16 | //解构vnode,通过判断type的类型来区分是element或者component
17 | const { type,shapeFlag } = vnode
18 | if(shapeFlag & ShapeFlags.ELEMENT) {
19 | //处理元素类型
20 | processElement(vnode,container)
21 | }else if(shapeFlag & ShapeFlags.STATEFUL_COMPONENT) {
22 | //处理组件类型
23 | processComponent(vnode,container)
24 | }
25 | }
26 | function processElement(vnode:any ,container:any) {
27 | mountElement(vnode,container)
28 | }
29 |
30 | function mountElement(vnode:any,container:any) {
31 | const {type,props,children,shapeFlag} = vnode
32 | //如果是元素,则type就是元素本身,创建一个元素
33 | const el = (vnode.el = document.createElement(type));
34 | //元素的子节点children 有可能是string类型和array类型,也就是说子节点有可能是文本类型或者是一个数组。
35 | if(shapeFlag & ShapeFlags.TEXT_CHILDREN) {
36 | //如果是文本类型,直接赋值textContent
37 | el.textContent = children
38 | }else if(shapeFlag & ShapeFlags.ARRAY_CHILDREN) {
39 | //如果children是数组,循环遍历数组
40 | mountChildren(children,el)
41 | }
42 | // props 通过循环props,设置元素自身的属性
43 | for(const key in props){
44 | const val = props[key]
45 | const isOn = (key:any) => /^on[A-Z]/.test(key)
46 | if(isOn(key)) {
47 | const event = key.slice(2).toLowerCase()
48 | el.addEventListener(event,val)
49 | }else{
50 | el.setAttribute(key,val)
51 | }
52 | }
53 | //最后把元素插入到容器container里面
54 | container.append(el)
55 | }
56 | function mountChildren(children:any,container:any) {
57 | //数组的元素为一个虚拟节点,需要重新进行调用path()
58 | children.forEach((v)=>{
59 | path(v,container)
60 | })
61 | }
62 |
63 | function processComponent(vnode:any ,container:any) {
64 | mountComponent(vnode,container)
65 | }
66 | //initinalVNode初始化节点
67 | function mountComponent(initinalVNode:any,container:any) {
68 | const instance = createComponentInstance(initinalVNode)
69 | setupComponent(instance)
70 | setupRenderEffect(instance,container,initinalVNode)
71 | }
72 |
73 | function setupRenderEffect(instance:any,container:any,initinalVNode:any) {
74 | const { proxy } = instance
75 |
76 | const subTree = instance.render.call(proxy) //虚拟节点树
77 | path(subTree,container)
78 | initinalVNode.el = subTree.el
79 |
80 | }
--------------------------------------------------------------------------------
/src/reactivity/effect.ts:
--------------------------------------------------------------------------------
1 |
2 | import { extend } from "../shared"
3 | //
4 | let activeEffect; //一个当前effect
5 | let shouldTrack; //定义变量,优化stop的应该被依赖收集的开关
6 | export class ReactiveEffect{
7 | private _fn:any //内部的_fn()方法
8 | deps = []
9 | active = true // avtive 属性控制stop方式执行的状态,stop执行其变为false
10 | onStop?:()=>void
11 | //public scheduler 外部能够获取到scheduler方法
12 | constructor(fn,public scheduler?) {
13 | //接受fn方法
14 | this._fn = fn
15 | }
16 | //每次effect被调用时候,执行run方法,进而执行fn()方法
17 | run() {
18 | if(!this.active) {
19 | return this._fn()
20 | }
21 | shouldTrack = true // 开关打开
22 | //this代表当前effect 赋值给activeEffect
23 | activeEffect = this
24 | //执行effect中的_fn
25 | const result = this._fn();
26 | shouldTrack = false //关闭开关
27 |
28 | //return 出返回值
29 | return result
30 | }
31 | stop() {
32 | //当this.active为true时,代表stop第一次执行。
33 | if(this.active) {
34 | //清除所有的effect
35 | cleanupEffect(this)
36 | //当stop方法之后执行之后,onStop存在则会被执行,onStop为用户传入的第二个参数,执行用户传入的回调,也就是stop方法的回调
37 | if(this.onStop) {
38 | this.onStop()
39 | }
40 | //执行之后变为false,防止重复调用,优化性能。
41 | this.active = false
42 | }
43 |
44 | }
45 | }
46 | function cleanupEffect(effect) {
47 | //取出effect中反向收集到的deps,循环删除dep中的effect
48 | effect.deps.forEach((dep:any)=>{
49 | dep.delete(effect)
50 | })
51 | effect.deps.length = 0
52 | }
53 | //创建targetMap的map数据结构存储结构为 target -- key -- dep
54 |
55 | let targetMap = new Map()
56 | export function track(target,key) {
57 | //targetMap -- depsMap -- dep
58 | //当依赖收集时候,判断是否可被收集,当stop调用时候,开关是关闭状态,不可收集。
59 | if(!isTracking())return
60 | //通过目标对象的target获取 depsMap对象,此对象为map结构 key-dep
61 | let depsMap = targetMap.get(target)
62 | //初始化时候depsMap不一定存在,所以要进行判断
63 | if(!depsMap) {
64 | //不存在初始化一个depsMap对象,
65 | depsMap = new Map()
66 | //设置目标target为key,新建的depsMap为value,targetMap为存储map容器
67 | targetMap.set(target,depsMap)
68 | }
69 | //当depsMap存在时候,通过key取到value对象
70 | let dep = depsMap.get(key)
71 | //如果dep容器不存在或者没有取到值
72 | if(!dep) {
73 | //新建一个dep对象,此对象结构为set结构。
74 | dep = new Set()
75 | // 属性值作为key,effect的集合dep作伪value,存储到depsMap的集合中。
76 | depsMap.set(key,dep)
77 | }
78 | //如果dep存在,把dep当作参数传入,进行依赖收集。封装成一个trackEffects方法,方便后续进行复用。
79 | trackEffects(dep)
80 | }
81 |
82 | export function trackEffects(dep) {
83 | //此dep为所有与key有关的effect集合,收集到set结构的dep中。dep = [effect,effect,effect,effect]
84 | if(dep.has(activeEffect)) return
85 | dep.add(activeEffect)
86 | //反向收集,当前activeEffect上挂载deps,来收集所有的dep
87 | activeEffect.deps.push(dep)
88 | }
89 | //是否可被收集的函数
90 | export function isTracking() {
91 | return shouldTrack && activeEffect !==undefined
92 | }
93 |
94 | export function trigger(target,key) {
95 | //通过目标值target,依赖的key值,获取所有与此依赖有关的集合dep
96 | let depsMap = targetMap.get(target)
97 | let dep = depsMap.get(key)
98 | //触发依赖的方法,把dep当作参数传入,封装成一个triggerEffects方法,方便后续进行复用
99 | triggerEffects(dep)
100 | }
101 |
102 | export function triggerEffects(dep) {
103 | //循环set结构的dep数组
104 | for(let effect of dep) {
105 | //取出每一个effect,判断effect是否有第二个参数传入
106 | if(effect.scheduler) {
107 | //如果存在,调用scheduler方法,也就是用户传过来的第二个回调函数fn2。即effect(function fn1(){},function fn2(){})
108 | effect.scheduler()
109 | }else{
110 | //如果没有第二个参数,直接进行依赖触发,执行run方法,run方法里会调用fn
111 | effect.run()
112 | }
113 |
114 | }
115 | }
116 |
117 |
118 |
119 | export function effect(fn,options:any = {}) {
120 | // 创建 ReactiveEffect 类,生成effect工厂,每次生成唯一的effect,每次调用effect的时候,执行fn方法。
121 | const _effect = new ReactiveEffect(fn,options.scheduler)
122 | //利用extend方法实现effect的第二个参数options的合并。
123 | extend(_effect,options)
124 | _effect.run()
125 | //处理_effect指针,当前的实例的run方法
126 | const runner:any = _effect.run.bind(_effect)
127 | //将当前_effect挂载到runner的effect上,方便stop方法获取。
128 | runner.effect = _effect
129 | //返回一个runner函数
130 | return runner
131 | }
132 |
133 | export function stop(runner) {
134 | // runner就是一个effect实例,stop方法就是把dep中所有依赖的effect清空,指向ReactiveEffect重的stop方法
135 | runner.effect.stop()
136 | }
137 |
--------------------------------------------------------------------------------
/lib/zzq-mini-vue.esm.js:
--------------------------------------------------------------------------------
1 | var extend = Object.assign;
2 | var isObject = function (val) {
3 | return val !== null && typeof val === 'object';
4 | };
5 | var hasOwn = function (val, key) { return Object.prototype.hasOwnProperty.call(val, key); };
6 | var capitalize = function (str) {
7 | return str.charAt(0).toUpperCase() + str.slice(1);
8 | };
9 | var toHandlerKey = function (str) {
10 | return str ? "on" + capitalize(str) : "";
11 | };
12 | var camelize = function (str) {
13 | return str.replace(/-(\w)/g, function (_, c) {
14 | return c ? c.toUpperCase() : '';
15 | });
16 | };
17 |
18 | //创建targetMap的map数据结构存储结构为 target -- key -- dep
19 | var targetMap = new Map();
20 | function trigger(target, key) {
21 | //通过目标值target,依赖的key值,获取所有与此依赖有关的集合dep
22 | var depsMap = targetMap.get(target);
23 | var dep = depsMap.get(key);
24 | //触发依赖的方法,把dep当作参数传入,封装成一个triggerEffects方法,方便后续进行复用
25 | triggerEffects(dep);
26 | }
27 | function triggerEffects(dep) {
28 | //循环set结构的dep数组
29 | for (var _i = 0, dep_1 = dep; _i < dep_1.length; _i++) {
30 | var effect_1 = dep_1[_i];
31 | //取出每一个effect,判断effect是否有第二个参数传入
32 | if (effect_1.scheduler) {
33 | //如果存在,调用scheduler方法,也就是用户传过来的第二个回调函数fn2。即effect(function fn1(){},function fn2(){})
34 | effect_1.scheduler();
35 | }
36 | else {
37 | //如果没有第二个参数,直接进行依赖触发,执行run方法,run方法里会调用fn
38 | effect_1.run();
39 | }
40 | }
41 | }
42 |
43 | var get = createGetter();
44 | var set = createSetter();
45 | var readonlyGet = createGetter(true);
46 | var shallowReadonlyGet = createGetter(true, true);
47 | //抽象出createGetter 方法,相当于get方法收集依赖
48 | function createGetter(isReadonly, shallow) {
49 | if (isReadonly === void 0) { isReadonly = false; }
50 | if (shallow === void 0) { shallow = false; }
51 | return function get(target, key) {
52 | if (key === "__v_isReactive" /* IS_REACTIVE */) {
53 | //isReactive的实现,如果匹配到且不是只读属性,则返回true,即!isReadonly
54 | return !isReadonly;
55 | }
56 | else if (key === "__v_isReadonly" /* IS_READONLY */) {
57 | //isReadonly的实现,如果匹配到是只读属性,则返回
58 | return isReadonly;
59 | }
60 | var res = Reflect.get(target, key);
61 | //判断是否为shallow,直接返回值就好
62 | if (shallow) {
63 | return res;
64 | }
65 | //数据嵌套判断,如果是isReadonly,就用readonly包裹嵌套的深层数据,如果不是,就用reactive嵌套深层,使其成为响应式数据
66 | if (isObject(res)) {
67 | return isReadonly ? readonly(res) : reactive(res);
68 | }
69 | return res;
70 | };
71 | }
72 | //createSetter 方法,相当于set方法触发依赖
73 | function createSetter(isReadonly) {
74 | return function get(target, key, val) {
75 | var res = Reflect.set(target, key, val);
76 | //触发依赖
77 | trigger(target, key);
78 | return res;
79 | };
80 | }
81 | var mutableHandlers = {
82 | get: get,
83 | set: set
84 | };
85 | var readonlyHandlers = {
86 | get: readonlyGet,
87 | set: function (target, key, val) {
88 | console.warn("key:".concat(key, " set \u5931\u8D25\uFF0C\u56E0\u4E3A target\u662Freadonly"), target);
89 | return true;
90 | }
91 | };
92 | var shallowReadonlyHandlers = extend({}, readonlyHandlers, {
93 | get: shallowReadonlyGet,
94 | });
95 |
96 | //导出reactive对象
97 | function reactive(raw) {
98 | return createActiveObject(raw, mutableHandlers);
99 | }
100 | function readonly(raw) {
101 | return createActiveObject(raw, readonlyHandlers);
102 | }
103 | function shallowReadonly(raw) {
104 | return createActiveObject(raw, shallowReadonlyHandlers);
105 | }
106 | //创建reactive对象的方法
107 | function createActiveObject(raw, baseHandlers) {
108 | if (!isObject(raw)) {
109 | console.warn("target:".concat(raw, "\u5FC5\u987B\u662F\u4E00\u4E2A\u5BF9\u8C61"));
110 | return;
111 | }
112 | //通过Proxy实现对象数据的响应式监听
113 | return new Proxy(raw, baseHandlers);
114 | }
115 |
116 | function emit(instance, event) {
117 | var args = [];
118 | for (var _i = 2; _i < arguments.length; _i++) {
119 | args[_i - 2] = arguments[_i];
120 | }
121 | var props = instance.props;
122 | var handler = props[toHandlerKey(camelize(event))];
123 | handler && handler.apply(void 0, args);
124 | }
125 |
126 | function initProps(instance, rawProps) {
127 | instance.props = rawProps || {};
128 | }
129 |
130 | var publickPropertiesMap = {
131 | $el: function (i) { return i.vnode.el; }
132 | };
133 | var PublickInstanceProxyHandlers = {
134 | get: function (_a, key) {
135 | var instance = _a._;
136 | var setupState = instance.setupState, props = instance.props;
137 | if (hasOwn(setupState, key)) {
138 | return setupState[key];
139 | }
140 | else if (hasOwn(props, key)) {
141 | return props[key];
142 | }
143 | var publicGetter = publickPropertiesMap[key];
144 | if (publicGetter) {
145 | return publicGetter(instance);
146 | }
147 | }
148 | };
149 |
150 | function createComponentInstance(vnode) {
151 | var component = {
152 | vnode: vnode,
153 | type: vnode.type,
154 | setupState: {},
155 | props: {},
156 | emit: function () { }
157 | };
158 | component.emit = emit.bind(null, component);
159 | return component;
160 | }
161 | function setupComponent(instance) {
162 | initProps(instance, instance.vnode.props);
163 | //initSlots();
164 | setupStatefulComponent(instance);
165 | }
166 | function setupStatefulComponent(instance) {
167 | var Component = instance.type;
168 | instance.proxy = new Proxy({ _: instance }, PublickInstanceProxyHandlers);
169 | var setup = Component.setup;
170 | if (setup) {
171 | var setupResult = setup(shallowReadonly(instance.props), {
172 | emit: instance.emit,
173 | });
174 | handleSetupResult(instance, setupResult);
175 | }
176 | }
177 | function handleSetupResult(instance, setupResult) {
178 | if (typeof setupResult === 'object') {
179 | instance.setupState = setupResult;
180 | }
181 | finishComponentSetup(instance);
182 | }
183 | function finishComponentSetup(instance) {
184 | var Component = instance.type;
185 | //if(Component.render) {
186 | instance.render = Component.render;
187 | //}
188 | }
189 |
190 | function render(vnode, container) {
191 | //调用path方法
192 | path(vnode, container);
193 | }
194 | function path(vnode, container) {
195 | //去处理组件
196 | //判断vnode是不是element
197 | //如何区分是element或者component类型
198 | //processElement()
199 | //解构vnode,通过判断type的类型来区分是element或者component
200 | vnode.type; var shapeFlag = vnode.shapeFlag;
201 | if (shapeFlag & 1 /* ELEMENT */) {
202 | //处理元素类型
203 | processElement(vnode, container);
204 | }
205 | else if (shapeFlag & 2 /* STATEFUL_COMPONENT */) {
206 | //处理组件类型
207 | processComponent(vnode, container);
208 | }
209 | }
210 | function processElement(vnode, container) {
211 | mountElement(vnode, container);
212 | }
213 | function mountElement(vnode, container) {
214 | var type = vnode.type, props = vnode.props, children = vnode.children, shapeFlag = vnode.shapeFlag;
215 | //如果是元素,则type就是元素本身,创建一个元素
216 | var el = (vnode.el = document.createElement(type));
217 | //元素的子节点children 有可能是string类型和array类型,也就是说子节点有可能是文本类型或者是一个数组。
218 | if (shapeFlag & 4 /* TEXT_CHILDREN */) {
219 | //如果是文本类型,直接赋值textContent
220 | el.textContent = children;
221 | }
222 | else if (shapeFlag & 8 /* ARRAY_CHILDREN */) {
223 | //如果children是数组,循环遍历数组
224 | mountChildren(children, el);
225 | }
226 | // props 通过循环props,设置元素自身的属性
227 | for (var key in props) {
228 | var val = props[key];
229 | var isOn = function (key) { return /^on[A-Z]/.test(key); };
230 | if (isOn(key)) {
231 | var event_1 = key.slice(2).toLowerCase();
232 | el.addEventListener(event_1, val);
233 | }
234 | else {
235 | el.setAttribute(key, val);
236 | }
237 | }
238 | //最后把元素插入到容器container里面
239 | container.append(el);
240 | }
241 | function mountChildren(children, container) {
242 | //数组的元素为一个虚拟节点,需要重新进行调用path()
243 | children.forEach(function (v) {
244 | path(v, container);
245 | });
246 | }
247 | function processComponent(vnode, container) {
248 | mountComponent(vnode, container);
249 | }
250 | //initinalVNode初始化节点
251 | function mountComponent(initinalVNode, container) {
252 | var instance = createComponentInstance(initinalVNode);
253 | setupComponent(instance);
254 | setupRenderEffect(instance, container, initinalVNode);
255 | }
256 | function setupRenderEffect(instance, container, initinalVNode) {
257 | var proxy = instance.proxy;
258 | var subTree = instance.render.call(proxy); //虚拟节点树
259 | path(subTree, container);
260 | initinalVNode.el = subTree.el;
261 | }
262 |
263 | function createVNode(type, props, children) {
264 | var vnode = {
265 | type: type,
266 | props: props,
267 | children: children,
268 | shapeFlag: getShapeFlag(type),
269 | el: null
270 | };
271 | if (typeof children === 'string') {
272 | vnode.shapeFlag |= 4 /* TEXT_CHILDREN */;
273 | }
274 | else if (Array.isArray(children)) {
275 | vnode.shapeFlag |= 8 /* ARRAY_CHILDREN */;
276 | }
277 | return vnode;
278 | }
279 | function getShapeFlag(type) {
280 | return typeof type === 'string'
281 | ? 1 /* ELEMENT */
282 | : 2 /* STATEFUL_COMPONENT */;
283 | }
284 |
285 | function createApp(rootComponent) {
286 | return {
287 | mount: function (rootContainer) {
288 | var vnode = createVNode(rootComponent);
289 | render(vnode, rootContainer);
290 | }
291 | };
292 | }
293 |
294 | function h(type, props, children) {
295 | return createVNode(type, props, children);
296 | }
297 |
298 | export { createApp, h };
299 |
--------------------------------------------------------------------------------
/lib/zzq-mini-vue.cjs.js:
--------------------------------------------------------------------------------
1 | 'use strict';
2 |
3 | Object.defineProperty(exports, '__esModule', { value: true });
4 |
5 | var extend = Object.assign;
6 | var isObject = function (val) {
7 | return val !== null && typeof val === 'object';
8 | };
9 | var hasOwn = function (val, key) { return Object.prototype.hasOwnProperty.call(val, key); };
10 | var capitalize = function (str) {
11 | return str.charAt(0).toUpperCase() + str.slice(1);
12 | };
13 | var toHandlerKey = function (str) {
14 | return str ? "on" + capitalize(str) : "";
15 | };
16 | var camelize = function (str) {
17 | return str.replace(/-(\w)/g, function (_, c) {
18 | return c ? c.toUpperCase() : '';
19 | });
20 | };
21 |
22 | //创建targetMap的map数据结构存储结构为 target -- key -- dep
23 | var targetMap = new Map();
24 | function trigger(target, key) {
25 | //通过目标值target,依赖的key值,获取所有与此依赖有关的集合dep
26 | var depsMap = targetMap.get(target);
27 | var dep = depsMap.get(key);
28 | //触发依赖的方法,把dep当作参数传入,封装成一个triggerEffects方法,方便后续进行复用
29 | triggerEffects(dep);
30 | }
31 | function triggerEffects(dep) {
32 | //循环set结构的dep数组
33 | for (var _i = 0, dep_1 = dep; _i < dep_1.length; _i++) {
34 | var effect_1 = dep_1[_i];
35 | //取出每一个effect,判断effect是否有第二个参数传入
36 | if (effect_1.scheduler) {
37 | //如果存在,调用scheduler方法,也就是用户传过来的第二个回调函数fn2。即effect(function fn1(){},function fn2(){})
38 | effect_1.scheduler();
39 | }
40 | else {
41 | //如果没有第二个参数,直接进行依赖触发,执行run方法,run方法里会调用fn
42 | effect_1.run();
43 | }
44 | }
45 | }
46 |
47 | var get = createGetter();
48 | var set = createSetter();
49 | var readonlyGet = createGetter(true);
50 | var shallowReadonlyGet = createGetter(true, true);
51 | //抽象出createGetter 方法,相当于get方法收集依赖
52 | function createGetter(isReadonly, shallow) {
53 | if (isReadonly === void 0) { isReadonly = false; }
54 | if (shallow === void 0) { shallow = false; }
55 | return function get(target, key) {
56 | if (key === "__v_isReactive" /* IS_REACTIVE */) {
57 | //isReactive的实现,如果匹配到且不是只读属性,则返回true,即!isReadonly
58 | return !isReadonly;
59 | }
60 | else if (key === "__v_isReadonly" /* IS_READONLY */) {
61 | //isReadonly的实现,如果匹配到是只读属性,则返回
62 | return isReadonly;
63 | }
64 | var res = Reflect.get(target, key);
65 | //判断是否为shallow,直接返回值就好
66 | if (shallow) {
67 | return res;
68 | }
69 | //数据嵌套判断,如果是isReadonly,就用readonly包裹嵌套的深层数据,如果不是,就用reactive嵌套深层,使其成为响应式数据
70 | if (isObject(res)) {
71 | return isReadonly ? readonly(res) : reactive(res);
72 | }
73 | return res;
74 | };
75 | }
76 | //createSetter 方法,相当于set方法触发依赖
77 | function createSetter(isReadonly) {
78 | return function get(target, key, val) {
79 | var res = Reflect.set(target, key, val);
80 | //触发依赖
81 | trigger(target, key);
82 | return res;
83 | };
84 | }
85 | var mutableHandlers = {
86 | get: get,
87 | set: set
88 | };
89 | var readonlyHandlers = {
90 | get: readonlyGet,
91 | set: function (target, key, val) {
92 | console.warn("key:".concat(key, " set \u5931\u8D25\uFF0C\u56E0\u4E3A target\u662Freadonly"), target);
93 | return true;
94 | }
95 | };
96 | var shallowReadonlyHandlers = extend({}, readonlyHandlers, {
97 | get: shallowReadonlyGet,
98 | });
99 |
100 | //导出reactive对象
101 | function reactive(raw) {
102 | return createActiveObject(raw, mutableHandlers);
103 | }
104 | function readonly(raw) {
105 | return createActiveObject(raw, readonlyHandlers);
106 | }
107 | function shallowReadonly(raw) {
108 | return createActiveObject(raw, shallowReadonlyHandlers);
109 | }
110 | //创建reactive对象的方法
111 | function createActiveObject(raw, baseHandlers) {
112 | if (!isObject(raw)) {
113 | console.warn("target:".concat(raw, "\u5FC5\u987B\u662F\u4E00\u4E2A\u5BF9\u8C61"));
114 | return;
115 | }
116 | //通过Proxy实现对象数据的响应式监听
117 | return new Proxy(raw, baseHandlers);
118 | }
119 |
120 | function emit(instance, event) {
121 | var args = [];
122 | for (var _i = 2; _i < arguments.length; _i++) {
123 | args[_i - 2] = arguments[_i];
124 | }
125 | var props = instance.props;
126 | var handler = props[toHandlerKey(camelize(event))];
127 | handler && handler.apply(void 0, args);
128 | }
129 |
130 | function initProps(instance, rawProps) {
131 | instance.props = rawProps || {};
132 | }
133 |
134 | var publickPropertiesMap = {
135 | $el: function (i) { return i.vnode.el; }
136 | };
137 | var PublickInstanceProxyHandlers = {
138 | get: function (_a, key) {
139 | var instance = _a._;
140 | var setupState = instance.setupState, props = instance.props;
141 | if (hasOwn(setupState, key)) {
142 | return setupState[key];
143 | }
144 | else if (hasOwn(props, key)) {
145 | return props[key];
146 | }
147 | var publicGetter = publickPropertiesMap[key];
148 | if (publicGetter) {
149 | return publicGetter(instance);
150 | }
151 | }
152 | };
153 |
154 | function createComponentInstance(vnode) {
155 | var component = {
156 | vnode: vnode,
157 | type: vnode.type,
158 | setupState: {},
159 | props: {},
160 | emit: function () { }
161 | };
162 | component.emit = emit.bind(null, component);
163 | return component;
164 | }
165 | function setupComponent(instance) {
166 | initProps(instance, instance.vnode.props);
167 | //initSlots();
168 | setupStatefulComponent(instance);
169 | }
170 | function setupStatefulComponent(instance) {
171 | var Component = instance.type;
172 | instance.proxy = new Proxy({ _: instance }, PublickInstanceProxyHandlers);
173 | var setup = Component.setup;
174 | if (setup) {
175 | var setupResult = setup(shallowReadonly(instance.props), {
176 | emit: instance.emit,
177 | });
178 | handleSetupResult(instance, setupResult);
179 | }
180 | }
181 | function handleSetupResult(instance, setupResult) {
182 | if (typeof setupResult === 'object') {
183 | instance.setupState = setupResult;
184 | }
185 | finishComponentSetup(instance);
186 | }
187 | function finishComponentSetup(instance) {
188 | var Component = instance.type;
189 | //if(Component.render) {
190 | instance.render = Component.render;
191 | //}
192 | }
193 |
194 | function render(vnode, container) {
195 | //调用path方法
196 | path(vnode, container);
197 | }
198 | function path(vnode, container) {
199 | //去处理组件
200 | //判断vnode是不是element
201 | //如何区分是element或者component类型
202 | //processElement()
203 | //解构vnode,通过判断type的类型来区分是element或者component
204 | vnode.type; var shapeFlag = vnode.shapeFlag;
205 | if (shapeFlag & 1 /* ELEMENT */) {
206 | //处理元素类型
207 | processElement(vnode, container);
208 | }
209 | else if (shapeFlag & 2 /* STATEFUL_COMPONENT */) {
210 | //处理组件类型
211 | processComponent(vnode, container);
212 | }
213 | }
214 | function processElement(vnode, container) {
215 | mountElement(vnode, container);
216 | }
217 | function mountElement(vnode, container) {
218 | var type = vnode.type, props = vnode.props, children = vnode.children, shapeFlag = vnode.shapeFlag;
219 | //如果是元素,则type就是元素本身,创建一个元素
220 | var el = (vnode.el = document.createElement(type));
221 | //元素的子节点children 有可能是string类型和array类型,也就是说子节点有可能是文本类型或者是一个数组。
222 | if (shapeFlag & 4 /* TEXT_CHILDREN */) {
223 | //如果是文本类型,直接赋值textContent
224 | el.textContent = children;
225 | }
226 | else if (shapeFlag & 8 /* ARRAY_CHILDREN */) {
227 | //如果children是数组,循环遍历数组
228 | mountChildren(children, el);
229 | }
230 | // props 通过循环props,设置元素自身的属性
231 | for (var key in props) {
232 | var val = props[key];
233 | var isOn = function (key) { return /^on[A-Z]/.test(key); };
234 | if (isOn(key)) {
235 | var event_1 = key.slice(2).toLowerCase();
236 | el.addEventListener(event_1, val);
237 | }
238 | else {
239 | el.setAttribute(key, val);
240 | }
241 | }
242 | //最后把元素插入到容器container里面
243 | container.append(el);
244 | }
245 | function mountChildren(children, container) {
246 | //数组的元素为一个虚拟节点,需要重新进行调用path()
247 | children.forEach(function (v) {
248 | path(v, container);
249 | });
250 | }
251 | function processComponent(vnode, container) {
252 | mountComponent(vnode, container);
253 | }
254 | //initinalVNode初始化节点
255 | function mountComponent(initinalVNode, container) {
256 | var instance = createComponentInstance(initinalVNode);
257 | setupComponent(instance);
258 | setupRenderEffect(instance, container, initinalVNode);
259 | }
260 | function setupRenderEffect(instance, container, initinalVNode) {
261 | var proxy = instance.proxy;
262 | var subTree = instance.render.call(proxy); //虚拟节点树
263 | path(subTree, container);
264 | initinalVNode.el = subTree.el;
265 | }
266 |
267 | function createVNode(type, props, children) {
268 | var vnode = {
269 | type: type,
270 | props: props,
271 | children: children,
272 | shapeFlag: getShapeFlag(type),
273 | el: null
274 | };
275 | if (typeof children === 'string') {
276 | vnode.shapeFlag |= 4 /* TEXT_CHILDREN */;
277 | }
278 | else if (Array.isArray(children)) {
279 | vnode.shapeFlag |= 8 /* ARRAY_CHILDREN */;
280 | }
281 | return vnode;
282 | }
283 | function getShapeFlag(type) {
284 | return typeof type === 'string'
285 | ? 1 /* ELEMENT */
286 | : 2 /* STATEFUL_COMPONENT */;
287 | }
288 |
289 | function createApp(rootComponent) {
290 | return {
291 | mount: function (rootContainer) {
292 | var vnode = createVNode(rootComponent);
293 | render(vnode, rootContainer);
294 | }
295 | };
296 | }
297 |
298 | function h(type, props, children) {
299 | return createVNode(type, props, children);
300 | }
301 |
302 | exports.createApp = createApp;
303 | exports.h = h;
304 |
--------------------------------------------------------------------------------
/tsconfig.json:
--------------------------------------------------------------------------------
1 | {
2 | "compilerOptions": {
3 | /* Visit https://aka.ms/tsconfig.json to read more about this file */
4 |
5 | /* Projects */
6 | // "incremental": true, /* Enable incremental compilation */
7 | // "composite": true, /* Enable constraints that allow a TypeScript project to be used with project references. */
8 | // "tsBuildInfoFile": "./", /* Specify the folder for .tsbuildinfo incremental compilation files. */
9 | // "disableSourceOfProjectReferenceRedirect": true, /* Disable preferring source files instead of declaration files when referencing composite projects */
10 | // "disableSolutionSearching": true, /* Opt a project out of multi-project reference checking when editing. */
11 | // "disableReferencedProjectLoad": true, /* Reduce the number of projects loaded automatically by TypeScript. */
12 |
13 | /* Language and Environment */
14 | "target": "es5", /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */
15 | "lib": [
16 | "DOM",
17 | "es6"
18 | ], /* Specify a set of bundled library declaration files that describe the target runtime environment. */
19 | // "jsx": "preserve", /* Specify what JSX code is generated. */
20 | // "experimentalDecorators": true, /* Enable experimental support for TC39 stage 2 draft decorators. */
21 | // "emitDecoratorMetadata": true, /* Emit design-type metadata for decorated declarations in source files. */
22 | // "jsxFactory": "", /* Specify the JSX factory function used when targeting React JSX emit, e.g. 'React.createElement' or 'h' */
23 | // "jsxFragmentFactory": "", /* Specify the JSX Fragment reference used for fragments when targeting React JSX emit e.g. 'React.Fragment' or 'Fragment'. */
24 | // "jsxImportSource": "", /* Specify module specifier used to import the JSX factory functions when using `jsx: react-jsx*`.` */
25 | // "reactNamespace": "", /* Specify the object invoked for `createElement`. This only applies when targeting `react` JSX emit. */
26 | // "noLib": true, /* Disable including any library files, including the default lib.d.ts. */
27 | // "useDefineForClassFields": true, /* Emit ECMAScript-standard-compliant class fields. */
28 |
29 | /* Modules */
30 | "module": "esnext", /* Specify what module code is generated. */
31 | // "rootDir": "./", /* Specify the root folder within your source files. */
32 | // "moduleResolution": "node", /* Specify how TypeScript looks up a file from a given module specifier. */
33 | // "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */
34 | // "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */
35 | // "rootDirs": [], /* Allow multiple folders to be treated as one when resolving modules. */
36 | // "typeRoots": [], /* Specify multiple folders that act like `./node_modules/@types`. */
37 | "types": ["jest"], /* Specify type package names to be included without being referenced in a source file. */
38 | // "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */
39 | // "resolveJsonModule": true, /* Enable importing .json files */
40 | // "noResolve": true, /* Disallow `import`s, `require`s or ``s from expanding the number of files TypeScript should add to a project. */
41 |
42 | /* JavaScript Support */
43 | // "allowJs": true, /* Allow JavaScript files to be a part of your program. Use the `checkJS` option to get errors from these files. */
44 | // "checkJs": true, /* Enable error reporting in type-checked JavaScript files. */
45 | // "maxNodeModuleJsDepth": 1, /* Specify the maximum folder depth used for checking JavaScript files from `node_modules`. Only applicable with `allowJs`. */
46 |
47 | /* Emit */
48 | // "declaration": true, /* Generate .d.ts files from TypeScript and JavaScript files in your project. */
49 | // "declarationMap": true, /* Create sourcemaps for d.ts files. */
50 | // "emitDeclarationOnly": true, /* Only output d.ts files and not JavaScript files. */
51 | // "sourceMap": true, /* Create source map files for emitted JavaScript files. */
52 | // "outFile": "./", /* Specify a file that bundles all outputs into one JavaScript file. If `declaration` is true, also designates a file that bundles all .d.ts output. */
53 | // "outDir": "./", /* Specify an output folder for all emitted files. */
54 | // "removeComments": true, /* Disable emitting comments. */
55 | // "noEmit": true, /* Disable emitting files from a compilation. */
56 | // "importHelpers": true, /* Allow importing helper functions from tslib once per project, instead of including them per-file. */
57 | // "importsNotUsedAsValues": "remove", /* Specify emit/checking behavior for imports that are only used for types */
58 | // "downlevelIteration": true, /* Emit more compliant, but verbose and less performant JavaScript for iteration. */
59 | // "sourceRoot": "", /* Specify the root path for debuggers to find the reference source code. */
60 | // "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */
61 | // "inlineSourceMap": true, /* Include sourcemap files inside the emitted JavaScript. */
62 | // "inlineSources": true, /* Include source code in the sourcemaps inside the emitted JavaScript. */
63 | // "emitBOM": true, /* Emit a UTF-8 Byte Order Mark (BOM) in the beginning of output files. */
64 | // "newLine": "crlf", /* Set the newline character for emitting files. */
65 | // "stripInternal": true, /* Disable emitting declarations that have `@internal` in their JSDoc comments. */
66 | // "noEmitHelpers": true, /* Disable generating custom helper functions like `__extends` in compiled output. */
67 | // "noEmitOnError": true, /* Disable emitting files if any type checking errors are reported. */
68 | // "preserveConstEnums": true, /* Disable erasing `const enum` declarations in generated code. */
69 | // "declarationDir": "./", /* Specify the output directory for generated declaration files. */
70 |
71 | /* Interop Constraints */
72 | // "isolatedModules": true, /* Ensure that each file can be safely transpiled without relying on other imports. */
73 | // "allowSyntheticDefaultImports": true, /* Allow 'import x from y' when a module doesn't have a default export. */
74 | "esModuleInterop": true, /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables `allowSyntheticDefaultImports` for type compatibility. */
75 | // "preserveSymlinks": true, /* Disable resolving symlinks to their realpath. This correlates to the same flag in node. */
76 | "forceConsistentCasingInFileNames": true, /* Ensure that casing is correct in imports. */
77 |
78 | /* Type Checking */
79 | "strict": true, /* Enable all strict type-checking options. */
80 | "noImplicitAny": false, /* Enable error reporting for expressions and declarations with an implied `any` type.. */
81 | // "strictNullChecks": true, /* When type checking, take into account `null` and `undefined`. */
82 | // "strictFunctionTypes": true, /* When assigning functions, check to ensure parameters and the return values are subtype-compatible. */
83 | // "strictBindCallApply": true, /* Check that the arguments for `bind`, `call`, and `apply` methods match the original function. */
84 | // "strictPropertyInitialization": true, /* Check for class properties that are declared but not set in the constructor. */
85 | // "noImplicitThis": true, /* Enable error reporting when `this` is given the type `any`. */
86 | // "useUnknownInCatchVariables": true, /* Type catch clause variables as 'unknown' instead of 'any'. */
87 | // "alwaysStrict": true, /* Ensure 'use strict' is always emitted. */
88 | // "noUnusedLocals": true, /* Enable error reporting when a local variables aren't read. */
89 | // "noUnusedParameters": true, /* Raise an error when a function parameter isn't read */
90 | // "exactOptionalPropertyTypes": true, /* Interpret optional property types as written, rather than adding 'undefined'. */
91 | // "noImplicitReturns": true, /* Enable error reporting for codepaths that do not explicitly return in a function. */
92 | // "noFallthroughCasesInSwitch": true, /* Enable error reporting for fallthrough cases in switch statements. */
93 | // "noUncheckedIndexedAccess": true, /* Include 'undefined' in index signature results */
94 | // "noImplicitOverride": true, /* Ensure overriding members in derived classes are marked with an override modifier. */
95 | // "noPropertyAccessFromIndexSignature": true, /* Enforces using indexed accessors for keys declared using an indexed type */
96 | // "allowUnusedLabels": true, /* Disable error reporting for unused labels. */
97 | // "allowUnreachableCode": true, /* Disable error reporting for unreachable code. */
98 |
99 | /* Completeness */
100 | // "skipDefaultLibCheck": true, /* Skip type checking .d.ts files that are included with TypeScript. */
101 | "skipLibCheck": true /* Skip type checking all .d.ts files. */
102 | }
103 | }
104 |
--------------------------------------------------------------------------------
/yarn.lock:
--------------------------------------------------------------------------------
1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
2 | # yarn lockfile v1
3 |
4 |
5 | "@ampproject/remapping@^2.1.0":
6 | version "2.1.2"
7 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@ampproject/remapping/-/remapping-2.1.2.tgz#4edca94973ded9630d20101cd8559cedb8d8bd34"
8 | integrity sha1-TtypSXPe2WMNIBAc2FWc7bjYvTQ=
9 | dependencies:
10 | "@jridgewell/trace-mapping" "^0.3.0"
11 |
12 | "@babel/code-frame@^7.0.0", "@babel/code-frame@^7.12.13", "@babel/code-frame@^7.16.7":
13 | version "7.16.7"
14 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/code-frame/-/code-frame-7.16.7.tgz#44416b6bd7624b998f5b1af5d470856c40138789"
15 | integrity sha1-REFra9diS5mPWxr11HCFbEATh4k=
16 | dependencies:
17 | "@babel/highlight" "^7.16.7"
18 |
19 | "@babel/compat-data@^7.13.11", "@babel/compat-data@^7.16.4", "@babel/compat-data@^7.16.8", "@babel/compat-data@^7.17.0":
20 | version "7.17.0"
21 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/compat-data/-/compat-data-7.17.0.tgz#86850b8597ea6962089770952075dcaabb8dba34"
22 | integrity sha1-hoULhZfqaWIIl3CVIHXcqruNujQ=
23 |
24 | "@babel/core@^7.1.0", "@babel/core@^7.12.3", "@babel/core@^7.17.5", "@babel/core@^7.7.2", "@babel/core@^7.8.0":
25 | version "7.17.5"
26 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/core/-/core-7.17.5.tgz#6cd2e836058c28f06a4ca8ee7ed955bbf37c8225"
27 | integrity sha1-bNLoNgWMKPBqTKjuftlVu/N8giU=
28 | dependencies:
29 | "@ampproject/remapping" "^2.1.0"
30 | "@babel/code-frame" "^7.16.7"
31 | "@babel/generator" "^7.17.3"
32 | "@babel/helper-compilation-targets" "^7.16.7"
33 | "@babel/helper-module-transforms" "^7.16.7"
34 | "@babel/helpers" "^7.17.2"
35 | "@babel/parser" "^7.17.3"
36 | "@babel/template" "^7.16.7"
37 | "@babel/traverse" "^7.17.3"
38 | "@babel/types" "^7.17.0"
39 | convert-source-map "^1.7.0"
40 | debug "^4.1.0"
41 | gensync "^1.0.0-beta.2"
42 | json5 "^2.1.2"
43 | semver "^6.3.0"
44 |
45 | "@babel/generator@^7.17.3", "@babel/generator@^7.7.2":
46 | version "7.17.3"
47 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/generator/-/generator-7.17.3.tgz#a2c30b0c4f89858cb87050c3ffdfd36bdf443200"
48 | integrity sha1-osMLDE+JhYy4cFDD/9/Ta99EMgA=
49 | dependencies:
50 | "@babel/types" "^7.17.0"
51 | jsesc "^2.5.1"
52 | source-map "^0.5.0"
53 |
54 | "@babel/helper-annotate-as-pure@^7.16.7":
55 | version "7.16.7"
56 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.16.7.tgz#bb2339a7534a9c128e3102024c60760a3a7f3862"
57 | integrity sha1-uyM5p1NKnBKOMQICTGB2Cjp/OGI=
58 | dependencies:
59 | "@babel/types" "^7.16.7"
60 |
61 | "@babel/helper-builder-binary-assignment-operator-visitor@^7.16.7":
62 | version "7.16.7"
63 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.16.7.tgz#38d138561ea207f0f69eb1626a418e4f7e6a580b"
64 | integrity sha1-ONE4Vh6iB/D2nrFiakGOT35qWAs=
65 | dependencies:
66 | "@babel/helper-explode-assignable-expression" "^7.16.7"
67 | "@babel/types" "^7.16.7"
68 |
69 | "@babel/helper-compilation-targets@^7.13.0", "@babel/helper-compilation-targets@^7.16.7":
70 | version "7.16.7"
71 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-compilation-targets/-/helper-compilation-targets-7.16.7.tgz#06e66c5f299601e6c7da350049315e83209d551b"
72 | integrity sha1-BuZsXymWAebH2jUASTFegyCdVRs=
73 | dependencies:
74 | "@babel/compat-data" "^7.16.4"
75 | "@babel/helper-validator-option" "^7.16.7"
76 | browserslist "^4.17.5"
77 | semver "^6.3.0"
78 |
79 | "@babel/helper-create-class-features-plugin@^7.16.10", "@babel/helper-create-class-features-plugin@^7.16.7", "@babel/helper-create-class-features-plugin@^7.17.6":
80 | version "7.17.6"
81 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.17.6.tgz#3778c1ed09a7f3e65e6d6e0f6fbfcc53809d92c9"
82 | integrity sha1-N3jB7Qmn8+ZebW4Pb7/MU4Cdksk=
83 | dependencies:
84 | "@babel/helper-annotate-as-pure" "^7.16.7"
85 | "@babel/helper-environment-visitor" "^7.16.7"
86 | "@babel/helper-function-name" "^7.16.7"
87 | "@babel/helper-member-expression-to-functions" "^7.16.7"
88 | "@babel/helper-optimise-call-expression" "^7.16.7"
89 | "@babel/helper-replace-supers" "^7.16.7"
90 | "@babel/helper-split-export-declaration" "^7.16.7"
91 |
92 | "@babel/helper-create-regexp-features-plugin@^7.16.7":
93 | version "7.17.0"
94 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.17.0.tgz#1dcc7d40ba0c6b6b25618997c5dbfd310f186fe1"
95 | integrity sha1-Hcx9QLoMa2slYYmXxdv9MQ8Yb+E=
96 | dependencies:
97 | "@babel/helper-annotate-as-pure" "^7.16.7"
98 | regexpu-core "^5.0.1"
99 |
100 | "@babel/helper-define-polyfill-provider@^0.3.1":
101 | version "0.3.1"
102 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.3.1.tgz#52411b445bdb2e676869e5a74960d2d3826d2665"
103 | integrity sha1-UkEbRFvbLmdoaeWnSWDS04JtJmU=
104 | dependencies:
105 | "@babel/helper-compilation-targets" "^7.13.0"
106 | "@babel/helper-module-imports" "^7.12.13"
107 | "@babel/helper-plugin-utils" "^7.13.0"
108 | "@babel/traverse" "^7.13.0"
109 | debug "^4.1.1"
110 | lodash.debounce "^4.0.8"
111 | resolve "^1.14.2"
112 | semver "^6.1.2"
113 |
114 | "@babel/helper-environment-visitor@^7.16.7":
115 | version "7.16.7"
116 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-environment-visitor/-/helper-environment-visitor-7.16.7.tgz#ff484094a839bde9d89cd63cba017d7aae80ecd7"
117 | integrity sha1-/0hAlKg5venYnNY8ugF9eq6A7Nc=
118 | dependencies:
119 | "@babel/types" "^7.16.7"
120 |
121 | "@babel/helper-explode-assignable-expression@^7.16.7":
122 | version "7.16.7"
123 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-explode-assignable-expression/-/helper-explode-assignable-expression-7.16.7.tgz#12a6d8522fdd834f194e868af6354e8650242b7a"
124 | integrity sha1-EqbYUi/dg08ZToaK9jVOhlAkK3o=
125 | dependencies:
126 | "@babel/types" "^7.16.7"
127 |
128 | "@babel/helper-function-name@^7.16.7":
129 | version "7.16.7"
130 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-function-name/-/helper-function-name-7.16.7.tgz#f1ec51551fb1c8956bc8dd95f38523b6cf375f8f"
131 | integrity sha1-8exRVR+xyJVryN2V84Ujts83X48=
132 | dependencies:
133 | "@babel/helper-get-function-arity" "^7.16.7"
134 | "@babel/template" "^7.16.7"
135 | "@babel/types" "^7.16.7"
136 |
137 | "@babel/helper-get-function-arity@^7.16.7":
138 | version "7.16.7"
139 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-get-function-arity/-/helper-get-function-arity-7.16.7.tgz#ea08ac753117a669f1508ba06ebcc49156387419"
140 | integrity sha1-6gisdTEXpmnxUIugbrzEkVY4dBk=
141 | dependencies:
142 | "@babel/types" "^7.16.7"
143 |
144 | "@babel/helper-hoist-variables@^7.16.7":
145 | version "7.16.7"
146 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-hoist-variables/-/helper-hoist-variables-7.16.7.tgz#86bcb19a77a509c7b77d0e22323ef588fa58c246"
147 | integrity sha1-hryxmnelCce3fQ4iMj71iPpYwkY=
148 | dependencies:
149 | "@babel/types" "^7.16.7"
150 |
151 | "@babel/helper-member-expression-to-functions@^7.16.7":
152 | version "7.16.7"
153 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.16.7.tgz#42b9ca4b2b200123c3b7e726b0ae5153924905b0"
154 | integrity sha1-QrnKSysgASPDt+cmsK5RU5JJBbA=
155 | dependencies:
156 | "@babel/types" "^7.16.7"
157 |
158 | "@babel/helper-module-imports@^7.12.13", "@babel/helper-module-imports@^7.16.7":
159 | version "7.16.7"
160 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-module-imports/-/helper-module-imports-7.16.7.tgz#25612a8091a999704461c8a222d0efec5d091437"
161 | integrity sha1-JWEqgJGpmXBEYciiItDv7F0JFDc=
162 | dependencies:
163 | "@babel/types" "^7.16.7"
164 |
165 | "@babel/helper-module-transforms@^7.16.7":
166 | version "7.17.6"
167 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-module-transforms/-/helper-module-transforms-7.17.6.tgz#3c3b03cc6617e33d68ef5a27a67419ac5199ccd0"
168 | integrity sha1-PDsDzGYX4z1o71onpnQZrFGZzNA=
169 | dependencies:
170 | "@babel/helper-environment-visitor" "^7.16.7"
171 | "@babel/helper-module-imports" "^7.16.7"
172 | "@babel/helper-simple-access" "^7.16.7"
173 | "@babel/helper-split-export-declaration" "^7.16.7"
174 | "@babel/helper-validator-identifier" "^7.16.7"
175 | "@babel/template" "^7.16.7"
176 | "@babel/traverse" "^7.17.3"
177 | "@babel/types" "^7.17.0"
178 |
179 | "@babel/helper-optimise-call-expression@^7.16.7":
180 | version "7.16.7"
181 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.16.7.tgz#a34e3560605abbd31a18546bd2aad3e6d9a174f2"
182 | integrity sha1-o041YGBau9MaGFRr0qrT5tmhdPI=
183 | dependencies:
184 | "@babel/types" "^7.16.7"
185 |
186 | "@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.13.0", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.16.7", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3":
187 | version "7.16.7"
188 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-plugin-utils/-/helper-plugin-utils-7.16.7.tgz#aa3a8ab4c3cceff8e65eb9e73d87dc4ff320b2f5"
189 | integrity sha1-qjqKtMPM7/jmXrnnPYfcT/MgsvU=
190 |
191 | "@babel/helper-remap-async-to-generator@^7.16.8":
192 | version "7.16.8"
193 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.16.8.tgz#29ffaade68a367e2ed09c90901986918d25e57e3"
194 | integrity sha1-Kf+q3mijZ+LtCckJAZhpGNJeV+M=
195 | dependencies:
196 | "@babel/helper-annotate-as-pure" "^7.16.7"
197 | "@babel/helper-wrap-function" "^7.16.8"
198 | "@babel/types" "^7.16.8"
199 |
200 | "@babel/helper-replace-supers@^7.16.7":
201 | version "7.16.7"
202 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-replace-supers/-/helper-replace-supers-7.16.7.tgz#e9f5f5f32ac90429c1a4bdec0f231ef0c2838ab1"
203 | integrity sha1-6fX18yrJBCnBpL3sDyMe8MKDirE=
204 | dependencies:
205 | "@babel/helper-environment-visitor" "^7.16.7"
206 | "@babel/helper-member-expression-to-functions" "^7.16.7"
207 | "@babel/helper-optimise-call-expression" "^7.16.7"
208 | "@babel/traverse" "^7.16.7"
209 | "@babel/types" "^7.16.7"
210 |
211 | "@babel/helper-simple-access@^7.16.7":
212 | version "7.16.7"
213 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-simple-access/-/helper-simple-access-7.16.7.tgz#d656654b9ea08dbb9659b69d61063ccd343ff0f7"
214 | integrity sha1-1lZlS56gjbuWWbadYQY8zTQ/8Pc=
215 | dependencies:
216 | "@babel/types" "^7.16.7"
217 |
218 | "@babel/helper-skip-transparent-expression-wrappers@^7.16.0":
219 | version "7.16.0"
220 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.16.0.tgz#0ee3388070147c3ae051e487eca3ebb0e2e8bb09"
221 | integrity sha1-DuM4gHAUfDrgUeSH7KPrsOLouwk=
222 | dependencies:
223 | "@babel/types" "^7.16.0"
224 |
225 | "@babel/helper-split-export-declaration@^7.16.7":
226 | version "7.16.7"
227 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.16.7.tgz#0b648c0c42da9d3920d85ad585f2778620b8726b"
228 | integrity sha1-C2SMDELanTkg2FrVhfJ3hiC4cms=
229 | dependencies:
230 | "@babel/types" "^7.16.7"
231 |
232 | "@babel/helper-validator-identifier@^7.16.7":
233 | version "7.16.7"
234 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-validator-identifier/-/helper-validator-identifier-7.16.7.tgz#e8c602438c4a8195751243da9031d1607d247cad"
235 | integrity sha1-6MYCQ4xKgZV1EkPakDHRYH0kfK0=
236 |
237 | "@babel/helper-validator-option@^7.16.7":
238 | version "7.16.7"
239 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-validator-option/-/helper-validator-option-7.16.7.tgz#b203ce62ce5fe153899b617c08957de860de4d23"
240 | integrity sha1-sgPOYs5f4VOJm2F8CJV96GDeTSM=
241 |
242 | "@babel/helper-wrap-function@^7.16.8":
243 | version "7.16.8"
244 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helper-wrap-function/-/helper-wrap-function-7.16.8.tgz#58afda087c4cd235de92f7ceedebca2c41274200"
245 | integrity sha1-WK/aCHxM0jXekvfO7evKLEEnQgA=
246 | dependencies:
247 | "@babel/helper-function-name" "^7.16.7"
248 | "@babel/template" "^7.16.7"
249 | "@babel/traverse" "^7.16.8"
250 | "@babel/types" "^7.16.8"
251 |
252 | "@babel/helpers@^7.17.2":
253 | version "7.17.2"
254 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/helpers/-/helpers-7.17.2.tgz#23f0a0746c8e287773ccd27c14be428891f63417"
255 | integrity sha1-I/CgdGyOKHdzzNJ8FL5CiJH2NBc=
256 | dependencies:
257 | "@babel/template" "^7.16.7"
258 | "@babel/traverse" "^7.17.0"
259 | "@babel/types" "^7.17.0"
260 |
261 | "@babel/highlight@^7.16.7":
262 | version "7.16.10"
263 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/highlight/-/highlight-7.16.10.tgz#744f2eb81579d6eea753c227b0f570ad785aba88"
264 | integrity sha1-dE8uuBV51u6nU8InsPVwrXhauog=
265 | dependencies:
266 | "@babel/helper-validator-identifier" "^7.16.7"
267 | chalk "^2.0.0"
268 | js-tokens "^4.0.0"
269 |
270 | "@babel/parser@^7.1.0", "@babel/parser@^7.14.7", "@babel/parser@^7.16.7", "@babel/parser@^7.17.3":
271 | version "7.17.3"
272 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/parser/-/parser-7.17.3.tgz#b07702b982990bf6fdc1da5049a23fece4c5c3d0"
273 | integrity sha1-sHcCuYKZC/b9wdpQSaI/7OTFw9A=
274 |
275 | "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression@^7.16.7":
276 | version "7.16.7"
277 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression/-/plugin-bugfix-safari-id-destructuring-collision-in-function-expression-7.16.7.tgz#4eda6d6c2a0aa79c70fa7b6da67763dfe2141050"
278 | integrity sha1-TtptbCoKp5xw+nttpndj3+IUEFA=
279 | dependencies:
280 | "@babel/helper-plugin-utils" "^7.16.7"
281 |
282 | "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining@^7.16.7":
283 | version "7.16.7"
284 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.16.7.tgz#cc001234dfc139ac45f6bcf801866198c8c72ff9"
285 | integrity sha1-zAASNN/BOaxF9rz4AYZhmMjHL/k=
286 | dependencies:
287 | "@babel/helper-plugin-utils" "^7.16.7"
288 | "@babel/helper-skip-transparent-expression-wrappers" "^7.16.0"
289 | "@babel/plugin-proposal-optional-chaining" "^7.16.7"
290 |
291 | "@babel/plugin-proposal-async-generator-functions@^7.16.8":
292 | version "7.16.8"
293 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.16.8.tgz#3bdd1ebbe620804ea9416706cd67d60787504bc8"
294 | integrity sha1-O90eu+YggE6pQWcGzWfWB4dQS8g=
295 | dependencies:
296 | "@babel/helper-plugin-utils" "^7.16.7"
297 | "@babel/helper-remap-async-to-generator" "^7.16.8"
298 | "@babel/plugin-syntax-async-generators" "^7.8.4"
299 |
300 | "@babel/plugin-proposal-class-properties@^7.16.7":
301 | version "7.16.7"
302 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-class-properties/-/plugin-proposal-class-properties-7.16.7.tgz#925cad7b3b1a2fcea7e59ecc8eb5954f961f91b0"
303 | integrity sha1-klytezsaL86n5Z7MjrWVT5YfkbA=
304 | dependencies:
305 | "@babel/helper-create-class-features-plugin" "^7.16.7"
306 | "@babel/helper-plugin-utils" "^7.16.7"
307 |
308 | "@babel/plugin-proposal-class-static-block@^7.16.7":
309 | version "7.17.6"
310 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-class-static-block/-/plugin-proposal-class-static-block-7.17.6.tgz#164e8fd25f0d80fa48c5a4d1438a6629325ad83c"
311 | integrity sha1-Fk6P0l8NgPpIxaTRQ4pmKTJa2Dw=
312 | dependencies:
313 | "@babel/helper-create-class-features-plugin" "^7.17.6"
314 | "@babel/helper-plugin-utils" "^7.16.7"
315 | "@babel/plugin-syntax-class-static-block" "^7.14.5"
316 |
317 | "@babel/plugin-proposal-dynamic-import@^7.16.7":
318 | version "7.16.7"
319 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-dynamic-import/-/plugin-proposal-dynamic-import-7.16.7.tgz#c19c897eaa46b27634a00fee9fb7d829158704b2"
320 | integrity sha1-wZyJfqpGsnY0oA/un7fYKRWHBLI=
321 | dependencies:
322 | "@babel/helper-plugin-utils" "^7.16.7"
323 | "@babel/plugin-syntax-dynamic-import" "^7.8.3"
324 |
325 | "@babel/plugin-proposal-export-namespace-from@^7.16.7":
326 | version "7.16.7"
327 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-export-namespace-from/-/plugin-proposal-export-namespace-from-7.16.7.tgz#09de09df18445a5786a305681423ae63507a6163"
328 | integrity sha1-Cd4J3xhEWleGowVoFCOuY1B6YWM=
329 | dependencies:
330 | "@babel/helper-plugin-utils" "^7.16.7"
331 | "@babel/plugin-syntax-export-namespace-from" "^7.8.3"
332 |
333 | "@babel/plugin-proposal-json-strings@^7.16.7":
334 | version "7.16.7"
335 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-json-strings/-/plugin-proposal-json-strings-7.16.7.tgz#9732cb1d17d9a2626a08c5be25186c195b6fa6e8"
336 | integrity sha1-lzLLHRfZomJqCMW+JRhsGVtvpug=
337 | dependencies:
338 | "@babel/helper-plugin-utils" "^7.16.7"
339 | "@babel/plugin-syntax-json-strings" "^7.8.3"
340 |
341 | "@babel/plugin-proposal-logical-assignment-operators@^7.16.7":
342 | version "7.16.7"
343 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-logical-assignment-operators/-/plugin-proposal-logical-assignment-operators-7.16.7.tgz#be23c0ba74deec1922e639832904be0bea73cdea"
344 | integrity sha1-viPAunTe7Bki5jmDKQS+C+pzzeo=
345 | dependencies:
346 | "@babel/helper-plugin-utils" "^7.16.7"
347 | "@babel/plugin-syntax-logical-assignment-operators" "^7.10.4"
348 |
349 | "@babel/plugin-proposal-nullish-coalescing-operator@^7.16.7":
350 | version "7.16.7"
351 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-nullish-coalescing-operator/-/plugin-proposal-nullish-coalescing-operator-7.16.7.tgz#141fc20b6857e59459d430c850a0011e36561d99"
352 | integrity sha1-FB/CC2hX5ZRZ1DDIUKABHjZWHZk=
353 | dependencies:
354 | "@babel/helper-plugin-utils" "^7.16.7"
355 | "@babel/plugin-syntax-nullish-coalescing-operator" "^7.8.3"
356 |
357 | "@babel/plugin-proposal-numeric-separator@^7.16.7":
358 | version "7.16.7"
359 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-numeric-separator/-/plugin-proposal-numeric-separator-7.16.7.tgz#d6b69f4af63fb38b6ca2558442a7fb191236eba9"
360 | integrity sha1-1rafSvY/s4tsolWEQqf7GRI266k=
361 | dependencies:
362 | "@babel/helper-plugin-utils" "^7.16.7"
363 | "@babel/plugin-syntax-numeric-separator" "^7.10.4"
364 |
365 | "@babel/plugin-proposal-object-rest-spread@^7.16.7":
366 | version "7.17.3"
367 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.17.3.tgz#d9eb649a54628a51701aef7e0ea3d17e2b9dd390"
368 | integrity sha1-2etkmlRiilFwGu9+DqPRfiud05A=
369 | dependencies:
370 | "@babel/compat-data" "^7.17.0"
371 | "@babel/helper-compilation-targets" "^7.16.7"
372 | "@babel/helper-plugin-utils" "^7.16.7"
373 | "@babel/plugin-syntax-object-rest-spread" "^7.8.3"
374 | "@babel/plugin-transform-parameters" "^7.16.7"
375 |
376 | "@babel/plugin-proposal-optional-catch-binding@^7.16.7":
377 | version "7.16.7"
378 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-optional-catch-binding/-/plugin-proposal-optional-catch-binding-7.16.7.tgz#c623a430674ffc4ab732fd0a0ae7722b67cb74cf"
379 | integrity sha1-xiOkMGdP/Eq3Mv0KCudyK2fLdM8=
380 | dependencies:
381 | "@babel/helper-plugin-utils" "^7.16.7"
382 | "@babel/plugin-syntax-optional-catch-binding" "^7.8.3"
383 |
384 | "@babel/plugin-proposal-optional-chaining@^7.16.7":
385 | version "7.16.7"
386 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.16.7.tgz#7cd629564724816c0e8a969535551f943c64c39a"
387 | integrity sha1-fNYpVkckgWwOipaVNVUflDxkw5o=
388 | dependencies:
389 | "@babel/helper-plugin-utils" "^7.16.7"
390 | "@babel/helper-skip-transparent-expression-wrappers" "^7.16.0"
391 | "@babel/plugin-syntax-optional-chaining" "^7.8.3"
392 |
393 | "@babel/plugin-proposal-private-methods@^7.16.11":
394 | version "7.16.11"
395 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-private-methods/-/plugin-proposal-private-methods-7.16.11.tgz#e8df108288555ff259f4527dbe84813aac3a1c50"
396 | integrity sha1-6N8QgohVX/JZ9FJ9voSBOqw6HFA=
397 | dependencies:
398 | "@babel/helper-create-class-features-plugin" "^7.16.10"
399 | "@babel/helper-plugin-utils" "^7.16.7"
400 |
401 | "@babel/plugin-proposal-private-property-in-object@^7.16.7":
402 | version "7.16.7"
403 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-private-property-in-object/-/plugin-proposal-private-property-in-object-7.16.7.tgz#b0b8cef543c2c3d57e59e2c611994861d46a3fce"
404 | integrity sha1-sLjO9UPCw9V+WeLGEZlIYdRqP84=
405 | dependencies:
406 | "@babel/helper-annotate-as-pure" "^7.16.7"
407 | "@babel/helper-create-class-features-plugin" "^7.16.7"
408 | "@babel/helper-plugin-utils" "^7.16.7"
409 | "@babel/plugin-syntax-private-property-in-object" "^7.14.5"
410 |
411 | "@babel/plugin-proposal-unicode-property-regex@^7.16.7", "@babel/plugin-proposal-unicode-property-regex@^7.4.4":
412 | version "7.16.7"
413 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-proposal-unicode-property-regex/-/plugin-proposal-unicode-property-regex-7.16.7.tgz#635d18eb10c6214210ffc5ff4932552de08188a2"
414 | integrity sha1-Y10Y6xDGIUIQ/8X/STJVLeCBiKI=
415 | dependencies:
416 | "@babel/helper-create-regexp-features-plugin" "^7.16.7"
417 | "@babel/helper-plugin-utils" "^7.16.7"
418 |
419 | "@babel/plugin-syntax-async-generators@^7.8.4":
420 | version "7.8.4"
421 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz#a983fb1aeb2ec3f6ed042a210f640e90e786fe0d"
422 | integrity sha1-qYP7Gusuw/btBCohD2QOkOeG/g0=
423 | dependencies:
424 | "@babel/helper-plugin-utils" "^7.8.0"
425 |
426 | "@babel/plugin-syntax-bigint@^7.8.3":
427 | version "7.8.3"
428 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz#4c9a6f669f5d0cdf1b90a1671e9a146be5300cea"
429 | integrity sha1-TJpvZp9dDN8bkKFnHpoUa+UwDOo=
430 | dependencies:
431 | "@babel/helper-plugin-utils" "^7.8.0"
432 |
433 | "@babel/plugin-syntax-class-properties@^7.12.13", "@babel/plugin-syntax-class-properties@^7.8.3":
434 | version "7.12.13"
435 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz#b5c987274c4a3a82b89714796931a6b53544ae10"
436 | integrity sha1-tcmHJ0xKOoK4lxR5aTGmtTVErhA=
437 | dependencies:
438 | "@babel/helper-plugin-utils" "^7.12.13"
439 |
440 | "@babel/plugin-syntax-class-static-block@^7.14.5":
441 | version "7.14.5"
442 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-class-static-block/-/plugin-syntax-class-static-block-7.14.5.tgz#195df89b146b4b78b3bf897fd7a257c84659d406"
443 | integrity sha1-GV34mxRrS3izv4l/16JXyEZZ1AY=
444 | dependencies:
445 | "@babel/helper-plugin-utils" "^7.14.5"
446 |
447 | "@babel/plugin-syntax-dynamic-import@^7.8.3":
448 | version "7.8.3"
449 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-dynamic-import/-/plugin-syntax-dynamic-import-7.8.3.tgz#62bf98b2da3cd21d626154fc96ee5b3cb68eacb3"
450 | integrity sha1-Yr+Ysto80h1iYVT8lu5bPLaOrLM=
451 | dependencies:
452 | "@babel/helper-plugin-utils" "^7.8.0"
453 |
454 | "@babel/plugin-syntax-export-namespace-from@^7.8.3":
455 | version "7.8.3"
456 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-export-namespace-from/-/plugin-syntax-export-namespace-from-7.8.3.tgz#028964a9ba80dbc094c915c487ad7c4e7a66465a"
457 | integrity sha1-AolkqbqA28CUyRXEh618TnpmRlo=
458 | dependencies:
459 | "@babel/helper-plugin-utils" "^7.8.3"
460 |
461 | "@babel/plugin-syntax-import-meta@^7.8.3":
462 | version "7.10.4"
463 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz#ee601348c370fa334d2207be158777496521fd51"
464 | integrity sha1-7mATSMNw+jNNIge+FYd3SWUh/VE=
465 | dependencies:
466 | "@babel/helper-plugin-utils" "^7.10.4"
467 |
468 | "@babel/plugin-syntax-json-strings@^7.8.3":
469 | version "7.8.3"
470 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz#01ca21b668cd8218c9e640cb6dd88c5412b2c96a"
471 | integrity sha1-AcohtmjNghjJ5kDLbdiMVBKyyWo=
472 | dependencies:
473 | "@babel/helper-plugin-utils" "^7.8.0"
474 |
475 | "@babel/plugin-syntax-logical-assignment-operators@^7.10.4", "@babel/plugin-syntax-logical-assignment-operators@^7.8.3":
476 | version "7.10.4"
477 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz#ca91ef46303530448b906652bac2e9fe9941f699"
478 | integrity sha1-ypHvRjA1MESLkGZSusLp/plB9pk=
479 | dependencies:
480 | "@babel/helper-plugin-utils" "^7.10.4"
481 |
482 | "@babel/plugin-syntax-nullish-coalescing-operator@^7.8.3":
483 | version "7.8.3"
484 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz#167ed70368886081f74b5c36c65a88c03b66d1a9"
485 | integrity sha1-Fn7XA2iIYIH3S1w2xlqIwDtm0ak=
486 | dependencies:
487 | "@babel/helper-plugin-utils" "^7.8.0"
488 |
489 | "@babel/plugin-syntax-numeric-separator@^7.10.4", "@babel/plugin-syntax-numeric-separator@^7.8.3":
490 | version "7.10.4"
491 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz#b9b070b3e33570cd9fd07ba7fa91c0dd37b9af97"
492 | integrity sha1-ubBws+M1cM2f0Hun+pHA3Te5r5c=
493 | dependencies:
494 | "@babel/helper-plugin-utils" "^7.10.4"
495 |
496 | "@babel/plugin-syntax-object-rest-spread@^7.8.3":
497 | version "7.8.3"
498 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz#60e225edcbd98a640332a2e72dd3e66f1af55871"
499 | integrity sha1-YOIl7cvZimQDMqLnLdPmbxr1WHE=
500 | dependencies:
501 | "@babel/helper-plugin-utils" "^7.8.0"
502 |
503 | "@babel/plugin-syntax-optional-catch-binding@^7.8.3":
504 | version "7.8.3"
505 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz#6111a265bcfb020eb9efd0fdfd7d26402b9ed6c1"
506 | integrity sha1-YRGiZbz7Ag6579D9/X0mQCue1sE=
507 | dependencies:
508 | "@babel/helper-plugin-utils" "^7.8.0"
509 |
510 | "@babel/plugin-syntax-optional-chaining@^7.8.3":
511 | version "7.8.3"
512 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz#4f69c2ab95167e0180cd5336613f8c5788f7d48a"
513 | integrity sha1-T2nCq5UWfgGAzVM2YT+MV4j31Io=
514 | dependencies:
515 | "@babel/helper-plugin-utils" "^7.8.0"
516 |
517 | "@babel/plugin-syntax-private-property-in-object@^7.14.5":
518 | version "7.14.5"
519 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz#0dc6671ec0ea22b6e94a1114f857970cd39de1ad"
520 | integrity sha1-DcZnHsDqIrbpShEU+FeXDNOd4a0=
521 | dependencies:
522 | "@babel/helper-plugin-utils" "^7.14.5"
523 |
524 | "@babel/plugin-syntax-top-level-await@^7.14.5", "@babel/plugin-syntax-top-level-await@^7.8.3":
525 | version "7.14.5"
526 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz#c1cfdadc35a646240001f06138247b741c34d94c"
527 | integrity sha1-wc/a3DWmRiQAAfBhOCR7dBw02Uw=
528 | dependencies:
529 | "@babel/helper-plugin-utils" "^7.14.5"
530 |
531 | "@babel/plugin-syntax-typescript@^7.16.7", "@babel/plugin-syntax-typescript@^7.7.2":
532 | version "7.16.7"
533 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.16.7.tgz#39c9b55ee153151990fb038651d58d3fd03f98f8"
534 | integrity sha1-Ocm1XuFTFRmQ+wOGUdWNP9A/mPg=
535 | dependencies:
536 | "@babel/helper-plugin-utils" "^7.16.7"
537 |
538 | "@babel/plugin-transform-arrow-functions@^7.16.7":
539 | version "7.16.7"
540 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.16.7.tgz#44125e653d94b98db76369de9c396dc14bef4154"
541 | integrity sha1-RBJeZT2UuY23Y2nenDltwUvvQVQ=
542 | dependencies:
543 | "@babel/helper-plugin-utils" "^7.16.7"
544 |
545 | "@babel/plugin-transform-async-to-generator@^7.16.8":
546 | version "7.16.8"
547 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.16.8.tgz#b83dff4b970cf41f1b819f8b49cc0cfbaa53a808"
548 | integrity sha1-uD3/S5cM9B8bgZ+LScwM+6pTqAg=
549 | dependencies:
550 | "@babel/helper-module-imports" "^7.16.7"
551 | "@babel/helper-plugin-utils" "^7.16.7"
552 | "@babel/helper-remap-async-to-generator" "^7.16.8"
553 |
554 | "@babel/plugin-transform-block-scoped-functions@^7.16.7":
555 | version "7.16.7"
556 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-block-scoped-functions/-/plugin-transform-block-scoped-functions-7.16.7.tgz#4d0d57d9632ef6062cdf354bb717102ee042a620"
557 | integrity sha1-TQ1X2WMu9gYs3zVLtxcQLuBCpiA=
558 | dependencies:
559 | "@babel/helper-plugin-utils" "^7.16.7"
560 |
561 | "@babel/plugin-transform-block-scoping@^7.16.7":
562 | version "7.16.7"
563 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.16.7.tgz#f50664ab99ddeaee5bc681b8f3a6ea9d72ab4f87"
564 | integrity sha1-9QZkq5nd6u5bxoG486bqnXKrT4c=
565 | dependencies:
566 | "@babel/helper-plugin-utils" "^7.16.7"
567 |
568 | "@babel/plugin-transform-classes@^7.16.7":
569 | version "7.16.7"
570 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-classes/-/plugin-transform-classes-7.16.7.tgz#8f4b9562850cd973de3b498f1218796eb181ce00"
571 | integrity sha1-j0uVYoUM2XPeO0mPEhh5brGBzgA=
572 | dependencies:
573 | "@babel/helper-annotate-as-pure" "^7.16.7"
574 | "@babel/helper-environment-visitor" "^7.16.7"
575 | "@babel/helper-function-name" "^7.16.7"
576 | "@babel/helper-optimise-call-expression" "^7.16.7"
577 | "@babel/helper-plugin-utils" "^7.16.7"
578 | "@babel/helper-replace-supers" "^7.16.7"
579 | "@babel/helper-split-export-declaration" "^7.16.7"
580 | globals "^11.1.0"
581 |
582 | "@babel/plugin-transform-computed-properties@^7.16.7":
583 | version "7.16.7"
584 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.16.7.tgz#66dee12e46f61d2aae7a73710f591eb3df616470"
585 | integrity sha1-Zt7hLkb2HSquenNxD1kes99hZHA=
586 | dependencies:
587 | "@babel/helper-plugin-utils" "^7.16.7"
588 |
589 | "@babel/plugin-transform-destructuring@^7.16.7":
590 | version "7.17.3"
591 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.17.3.tgz#c445f75819641788a27a0a3a759d9df911df6abc"
592 | integrity sha1-xEX3WBlkF4iiego6dZ2d+RHfarw=
593 | dependencies:
594 | "@babel/helper-plugin-utils" "^7.16.7"
595 |
596 | "@babel/plugin-transform-dotall-regex@^7.16.7", "@babel/plugin-transform-dotall-regex@^7.4.4":
597 | version "7.16.7"
598 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.16.7.tgz#6b2d67686fab15fb6a7fd4bd895d5982cfc81241"
599 | integrity sha1-ay1naG+rFftqf9S9iV1Zgs/IEkE=
600 | dependencies:
601 | "@babel/helper-create-regexp-features-plugin" "^7.16.7"
602 | "@babel/helper-plugin-utils" "^7.16.7"
603 |
604 | "@babel/plugin-transform-duplicate-keys@^7.16.7":
605 | version "7.16.7"
606 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.16.7.tgz#2207e9ca8f82a0d36a5a67b6536e7ef8b08823c9"
607 | integrity sha1-Igfpyo+CoNNqWme2U25++LCII8k=
608 | dependencies:
609 | "@babel/helper-plugin-utils" "^7.16.7"
610 |
611 | "@babel/plugin-transform-exponentiation-operator@^7.16.7":
612 | version "7.16.7"
613 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-exponentiation-operator/-/plugin-transform-exponentiation-operator-7.16.7.tgz#efa9862ef97e9e9e5f653f6ddc7b665e8536fe9b"
614 | integrity sha1-76mGLvl+np5fZT9t3HtmXoU2/ps=
615 | dependencies:
616 | "@babel/helper-builder-binary-assignment-operator-visitor" "^7.16.7"
617 | "@babel/helper-plugin-utils" "^7.16.7"
618 |
619 | "@babel/plugin-transform-for-of@^7.16.7":
620 | version "7.16.7"
621 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.16.7.tgz#649d639d4617dff502a9a158c479b3b556728d8c"
622 | integrity sha1-ZJ1jnUYX3/UCqaFYxHmztVZyjYw=
623 | dependencies:
624 | "@babel/helper-plugin-utils" "^7.16.7"
625 |
626 | "@babel/plugin-transform-function-name@^7.16.7":
627 | version "7.16.7"
628 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.16.7.tgz#5ab34375c64d61d083d7d2f05c38d90b97ec65cf"
629 | integrity sha1-WrNDdcZNYdCD19LwXDjZC5fsZc8=
630 | dependencies:
631 | "@babel/helper-compilation-targets" "^7.16.7"
632 | "@babel/helper-function-name" "^7.16.7"
633 | "@babel/helper-plugin-utils" "^7.16.7"
634 |
635 | "@babel/plugin-transform-literals@^7.16.7":
636 | version "7.16.7"
637 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-literals/-/plugin-transform-literals-7.16.7.tgz#254c9618c5ff749e87cb0c0cef1a0a050c0bdab1"
638 | integrity sha1-JUyWGMX/dJ6HywwM7xoKBQwL2rE=
639 | dependencies:
640 | "@babel/helper-plugin-utils" "^7.16.7"
641 |
642 | "@babel/plugin-transform-member-expression-literals@^7.16.7":
643 | version "7.16.7"
644 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-member-expression-literals/-/plugin-transform-member-expression-literals-7.16.7.tgz#6e5dcf906ef8a098e630149d14c867dd28f92384"
645 | integrity sha1-bl3PkG74oJjmMBSdFMhn3Sj5I4Q=
646 | dependencies:
647 | "@babel/helper-plugin-utils" "^7.16.7"
648 |
649 | "@babel/plugin-transform-modules-amd@^7.16.7":
650 | version "7.16.7"
651 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-modules-amd/-/plugin-transform-modules-amd-7.16.7.tgz#b28d323016a7daaae8609781d1f8c9da42b13186"
652 | integrity sha1-so0yMBan2qroYJeB0fjJ2kKxMYY=
653 | dependencies:
654 | "@babel/helper-module-transforms" "^7.16.7"
655 | "@babel/helper-plugin-utils" "^7.16.7"
656 | babel-plugin-dynamic-import-node "^2.3.3"
657 |
658 | "@babel/plugin-transform-modules-commonjs@^7.16.8":
659 | version "7.16.8"
660 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.16.8.tgz#cdee19aae887b16b9d331009aa9a219af7c86afe"
661 | integrity sha1-ze4ZquiHsWudMxAJqpohmvfIav4=
662 | dependencies:
663 | "@babel/helper-module-transforms" "^7.16.7"
664 | "@babel/helper-plugin-utils" "^7.16.7"
665 | "@babel/helper-simple-access" "^7.16.7"
666 | babel-plugin-dynamic-import-node "^2.3.3"
667 |
668 | "@babel/plugin-transform-modules-systemjs@^7.16.7":
669 | version "7.16.7"
670 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.16.7.tgz#887cefaef88e684d29558c2b13ee0563e287c2d7"
671 | integrity sha1-iHzvrviOaE0pVYwrE+4FY+KHwtc=
672 | dependencies:
673 | "@babel/helper-hoist-variables" "^7.16.7"
674 | "@babel/helper-module-transforms" "^7.16.7"
675 | "@babel/helper-plugin-utils" "^7.16.7"
676 | "@babel/helper-validator-identifier" "^7.16.7"
677 | babel-plugin-dynamic-import-node "^2.3.3"
678 |
679 | "@babel/plugin-transform-modules-umd@^7.16.7":
680 | version "7.16.7"
681 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.16.7.tgz#23dad479fa585283dbd22215bff12719171e7618"
682 | integrity sha1-I9rUefpYUoPb0iIVv/EnGRcedhg=
683 | dependencies:
684 | "@babel/helper-module-transforms" "^7.16.7"
685 | "@babel/helper-plugin-utils" "^7.16.7"
686 |
687 | "@babel/plugin-transform-named-capturing-groups-regex@^7.16.8":
688 | version "7.16.8"
689 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.16.8.tgz#7f860e0e40d844a02c9dcf9d84965e7dfd666252"
690 | integrity sha1-f4YODkDYRKAsnc+dhJZeff1mYlI=
691 | dependencies:
692 | "@babel/helper-create-regexp-features-plugin" "^7.16.7"
693 |
694 | "@babel/plugin-transform-new-target@^7.16.7":
695 | version "7.16.7"
696 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-new-target/-/plugin-transform-new-target-7.16.7.tgz#9967d89a5c243818e0800fdad89db22c5f514244"
697 | integrity sha1-mWfYmlwkOBjggA/a2J2yLF9RQkQ=
698 | dependencies:
699 | "@babel/helper-plugin-utils" "^7.16.7"
700 |
701 | "@babel/plugin-transform-object-super@^7.16.7":
702 | version "7.16.7"
703 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-object-super/-/plugin-transform-object-super-7.16.7.tgz#ac359cf8d32cf4354d27a46867999490b6c32a94"
704 | integrity sha1-rDWc+NMs9DVNJ6RoZ5mUkLbDKpQ=
705 | dependencies:
706 | "@babel/helper-plugin-utils" "^7.16.7"
707 | "@babel/helper-replace-supers" "^7.16.7"
708 |
709 | "@babel/plugin-transform-parameters@^7.16.7":
710 | version "7.16.7"
711 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.16.7.tgz#a1721f55b99b736511cb7e0152f61f17688f331f"
712 | integrity sha1-oXIfVbmbc2URy34BUvYfF2iPMx8=
713 | dependencies:
714 | "@babel/helper-plugin-utils" "^7.16.7"
715 |
716 | "@babel/plugin-transform-property-literals@^7.16.7":
717 | version "7.16.7"
718 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-property-literals/-/plugin-transform-property-literals-7.16.7.tgz#2dadac85155436f22c696c4827730e0fe1057a55"
719 | integrity sha1-La2shRVUNvIsaWxIJ3MOD+EFelU=
720 | dependencies:
721 | "@babel/helper-plugin-utils" "^7.16.7"
722 |
723 | "@babel/plugin-transform-regenerator@^7.16.7":
724 | version "7.16.7"
725 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.16.7.tgz#9e7576dc476cb89ccc5096fff7af659243b4adeb"
726 | integrity sha1-nnV23EdsuJzMUJb/969lkkO0res=
727 | dependencies:
728 | regenerator-transform "^0.14.2"
729 |
730 | "@babel/plugin-transform-reserved-words@^7.16.7":
731 | version "7.16.7"
732 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-reserved-words/-/plugin-transform-reserved-words-7.16.7.tgz#1d798e078f7c5958eec952059c460b220a63f586"
733 | integrity sha1-HXmOB498WVjuyVIFnEYLIgpj9YY=
734 | dependencies:
735 | "@babel/helper-plugin-utils" "^7.16.7"
736 |
737 | "@babel/plugin-transform-shorthand-properties@^7.16.7":
738 | version "7.16.7"
739 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.16.7.tgz#e8549ae4afcf8382f711794c0c7b6b934c5fbd2a"
740 | integrity sha1-6FSa5K/Pg4L3EXlMDHtrk0xfvSo=
741 | dependencies:
742 | "@babel/helper-plugin-utils" "^7.16.7"
743 |
744 | "@babel/plugin-transform-spread@^7.16.7":
745 | version "7.16.7"
746 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-spread/-/plugin-transform-spread-7.16.7.tgz#a303e2122f9f12e0105daeedd0f30fb197d8ff44"
747 | integrity sha1-owPiEi+fEuAQXa7t0PMPsZfY/0Q=
748 | dependencies:
749 | "@babel/helper-plugin-utils" "^7.16.7"
750 | "@babel/helper-skip-transparent-expression-wrappers" "^7.16.0"
751 |
752 | "@babel/plugin-transform-sticky-regex@^7.16.7":
753 | version "7.16.7"
754 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-sticky-regex/-/plugin-transform-sticky-regex-7.16.7.tgz#c84741d4f4a38072b9a1e2e3fd56d359552e8660"
755 | integrity sha1-yEdB1PSjgHK5oeLj/VbTWVUuhmA=
756 | dependencies:
757 | "@babel/helper-plugin-utils" "^7.16.7"
758 |
759 | "@babel/plugin-transform-template-literals@^7.16.7":
760 | version "7.16.7"
761 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.16.7.tgz#f3d1c45d28967c8e80f53666fc9c3e50618217ab"
762 | integrity sha1-89HEXSiWfI6A9TZm/Jw+UGGCF6s=
763 | dependencies:
764 | "@babel/helper-plugin-utils" "^7.16.7"
765 |
766 | "@babel/plugin-transform-typeof-symbol@^7.16.7":
767 | version "7.16.7"
768 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.16.7.tgz#9cdbe622582c21368bd482b660ba87d5545d4f7e"
769 | integrity sha1-nNvmIlgsITaL1IK2YLqH1VRdT34=
770 | dependencies:
771 | "@babel/helper-plugin-utils" "^7.16.7"
772 |
773 | "@babel/plugin-transform-typescript@^7.16.7":
774 | version "7.16.8"
775 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.16.8.tgz#591ce9b6b83504903fa9dd3652c357c2ba7a1ee0"
776 | integrity sha1-WRzptrg1BJA/qd02UsNXwrp6HuA=
777 | dependencies:
778 | "@babel/helper-create-class-features-plugin" "^7.16.7"
779 | "@babel/helper-plugin-utils" "^7.16.7"
780 | "@babel/plugin-syntax-typescript" "^7.16.7"
781 |
782 | "@babel/plugin-transform-unicode-escapes@^7.16.7":
783 | version "7.16.7"
784 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.16.7.tgz#da8717de7b3287a2c6d659750c964f302b31ece3"
785 | integrity sha1-2ocX3nsyh6LG1ll1DJZPMCsx7OM=
786 | dependencies:
787 | "@babel/helper-plugin-utils" "^7.16.7"
788 |
789 | "@babel/plugin-transform-unicode-regex@^7.16.7":
790 | version "7.16.7"
791 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.16.7.tgz#0f7aa4a501198976e25e82702574c34cfebe9ef2"
792 | integrity sha1-D3qkpQEZiXbiXoJwJXTDTP6+nvI=
793 | dependencies:
794 | "@babel/helper-create-regexp-features-plugin" "^7.16.7"
795 | "@babel/helper-plugin-utils" "^7.16.7"
796 |
797 | "@babel/preset-env@^7.16.11":
798 | version "7.16.11"
799 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/preset-env/-/preset-env-7.16.11.tgz#5dd88fd885fae36f88fd7c8342475c9f0abe2982"
800 | integrity sha1-XdiP2IX642+I/XyDQkdcnwq+KYI=
801 | dependencies:
802 | "@babel/compat-data" "^7.16.8"
803 | "@babel/helper-compilation-targets" "^7.16.7"
804 | "@babel/helper-plugin-utils" "^7.16.7"
805 | "@babel/helper-validator-option" "^7.16.7"
806 | "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression" "^7.16.7"
807 | "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining" "^7.16.7"
808 | "@babel/plugin-proposal-async-generator-functions" "^7.16.8"
809 | "@babel/plugin-proposal-class-properties" "^7.16.7"
810 | "@babel/plugin-proposal-class-static-block" "^7.16.7"
811 | "@babel/plugin-proposal-dynamic-import" "^7.16.7"
812 | "@babel/plugin-proposal-export-namespace-from" "^7.16.7"
813 | "@babel/plugin-proposal-json-strings" "^7.16.7"
814 | "@babel/plugin-proposal-logical-assignment-operators" "^7.16.7"
815 | "@babel/plugin-proposal-nullish-coalescing-operator" "^7.16.7"
816 | "@babel/plugin-proposal-numeric-separator" "^7.16.7"
817 | "@babel/plugin-proposal-object-rest-spread" "^7.16.7"
818 | "@babel/plugin-proposal-optional-catch-binding" "^7.16.7"
819 | "@babel/plugin-proposal-optional-chaining" "^7.16.7"
820 | "@babel/plugin-proposal-private-methods" "^7.16.11"
821 | "@babel/plugin-proposal-private-property-in-object" "^7.16.7"
822 | "@babel/plugin-proposal-unicode-property-regex" "^7.16.7"
823 | "@babel/plugin-syntax-async-generators" "^7.8.4"
824 | "@babel/plugin-syntax-class-properties" "^7.12.13"
825 | "@babel/plugin-syntax-class-static-block" "^7.14.5"
826 | "@babel/plugin-syntax-dynamic-import" "^7.8.3"
827 | "@babel/plugin-syntax-export-namespace-from" "^7.8.3"
828 | "@babel/plugin-syntax-json-strings" "^7.8.3"
829 | "@babel/plugin-syntax-logical-assignment-operators" "^7.10.4"
830 | "@babel/plugin-syntax-nullish-coalescing-operator" "^7.8.3"
831 | "@babel/plugin-syntax-numeric-separator" "^7.10.4"
832 | "@babel/plugin-syntax-object-rest-spread" "^7.8.3"
833 | "@babel/plugin-syntax-optional-catch-binding" "^7.8.3"
834 | "@babel/plugin-syntax-optional-chaining" "^7.8.3"
835 | "@babel/plugin-syntax-private-property-in-object" "^7.14.5"
836 | "@babel/plugin-syntax-top-level-await" "^7.14.5"
837 | "@babel/plugin-transform-arrow-functions" "^7.16.7"
838 | "@babel/plugin-transform-async-to-generator" "^7.16.8"
839 | "@babel/plugin-transform-block-scoped-functions" "^7.16.7"
840 | "@babel/plugin-transform-block-scoping" "^7.16.7"
841 | "@babel/plugin-transform-classes" "^7.16.7"
842 | "@babel/plugin-transform-computed-properties" "^7.16.7"
843 | "@babel/plugin-transform-destructuring" "^7.16.7"
844 | "@babel/plugin-transform-dotall-regex" "^7.16.7"
845 | "@babel/plugin-transform-duplicate-keys" "^7.16.7"
846 | "@babel/plugin-transform-exponentiation-operator" "^7.16.7"
847 | "@babel/plugin-transform-for-of" "^7.16.7"
848 | "@babel/plugin-transform-function-name" "^7.16.7"
849 | "@babel/plugin-transform-literals" "^7.16.7"
850 | "@babel/plugin-transform-member-expression-literals" "^7.16.7"
851 | "@babel/plugin-transform-modules-amd" "^7.16.7"
852 | "@babel/plugin-transform-modules-commonjs" "^7.16.8"
853 | "@babel/plugin-transform-modules-systemjs" "^7.16.7"
854 | "@babel/plugin-transform-modules-umd" "^7.16.7"
855 | "@babel/plugin-transform-named-capturing-groups-regex" "^7.16.8"
856 | "@babel/plugin-transform-new-target" "^7.16.7"
857 | "@babel/plugin-transform-object-super" "^7.16.7"
858 | "@babel/plugin-transform-parameters" "^7.16.7"
859 | "@babel/plugin-transform-property-literals" "^7.16.7"
860 | "@babel/plugin-transform-regenerator" "^7.16.7"
861 | "@babel/plugin-transform-reserved-words" "^7.16.7"
862 | "@babel/plugin-transform-shorthand-properties" "^7.16.7"
863 | "@babel/plugin-transform-spread" "^7.16.7"
864 | "@babel/plugin-transform-sticky-regex" "^7.16.7"
865 | "@babel/plugin-transform-template-literals" "^7.16.7"
866 | "@babel/plugin-transform-typeof-symbol" "^7.16.7"
867 | "@babel/plugin-transform-unicode-escapes" "^7.16.7"
868 | "@babel/plugin-transform-unicode-regex" "^7.16.7"
869 | "@babel/preset-modules" "^0.1.5"
870 | "@babel/types" "^7.16.8"
871 | babel-plugin-polyfill-corejs2 "^0.3.0"
872 | babel-plugin-polyfill-corejs3 "^0.5.0"
873 | babel-plugin-polyfill-regenerator "^0.3.0"
874 | core-js-compat "^3.20.2"
875 | semver "^6.3.0"
876 |
877 | "@babel/preset-modules@^0.1.5":
878 | version "0.1.5"
879 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/preset-modules/-/preset-modules-0.1.5.tgz#ef939d6e7f268827e1841638dc6ff95515e115d9"
880 | integrity sha1-75Odbn8miCfhhBY43G/5VRXhFdk=
881 | dependencies:
882 | "@babel/helper-plugin-utils" "^7.0.0"
883 | "@babel/plugin-proposal-unicode-property-regex" "^7.4.4"
884 | "@babel/plugin-transform-dotall-regex" "^7.4.4"
885 | "@babel/types" "^7.4.4"
886 | esutils "^2.0.2"
887 |
888 | "@babel/preset-typescript@^7.16.7":
889 | version "7.16.7"
890 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/preset-typescript/-/preset-typescript-7.16.7.tgz#ab114d68bb2020afc069cd51b37ff98a046a70b9"
891 | integrity sha1-qxFNaLsgIK/Aac1Rs3/5igRqcLk=
892 | dependencies:
893 | "@babel/helper-plugin-utils" "^7.16.7"
894 | "@babel/helper-validator-option" "^7.16.7"
895 | "@babel/plugin-transform-typescript" "^7.16.7"
896 |
897 | "@babel/runtime@^7.8.4":
898 | version "7.17.2"
899 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/runtime/-/runtime-7.17.2.tgz#66f68591605e59da47523c631416b18508779941"
900 | integrity sha1-ZvaFkWBeWdpHUjxjFBaxhQh3mUE=
901 | dependencies:
902 | regenerator-runtime "^0.13.4"
903 |
904 | "@babel/template@^7.16.7", "@babel/template@^7.3.3":
905 | version "7.16.7"
906 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/template/-/template-7.16.7.tgz#8d126c8701fde4d66b264b3eba3d96f07666d155"
907 | integrity sha1-jRJshwH95NZrJks+uj2W8HZm0VU=
908 | dependencies:
909 | "@babel/code-frame" "^7.16.7"
910 | "@babel/parser" "^7.16.7"
911 | "@babel/types" "^7.16.7"
912 |
913 | "@babel/traverse@^7.13.0", "@babel/traverse@^7.16.7", "@babel/traverse@^7.16.8", "@babel/traverse@^7.17.0", "@babel/traverse@^7.17.3", "@babel/traverse@^7.7.2":
914 | version "7.17.3"
915 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/traverse/-/traverse-7.17.3.tgz#0ae0f15b27d9a92ba1f2263358ea7c4e7db47b57"
916 | integrity sha1-CuDxWyfZqSuh8iYzWOp8Tn20e1c=
917 | dependencies:
918 | "@babel/code-frame" "^7.16.7"
919 | "@babel/generator" "^7.17.3"
920 | "@babel/helper-environment-visitor" "^7.16.7"
921 | "@babel/helper-function-name" "^7.16.7"
922 | "@babel/helper-hoist-variables" "^7.16.7"
923 | "@babel/helper-split-export-declaration" "^7.16.7"
924 | "@babel/parser" "^7.17.3"
925 | "@babel/types" "^7.17.0"
926 | debug "^4.1.0"
927 | globals "^11.1.0"
928 |
929 | "@babel/types@^7.0.0", "@babel/types@^7.16.0", "@babel/types@^7.16.7", "@babel/types@^7.16.8", "@babel/types@^7.17.0", "@babel/types@^7.3.0", "@babel/types@^7.3.3", "@babel/types@^7.4.4":
930 | version "7.17.0"
931 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@babel/types/-/types-7.17.0.tgz#a826e368bccb6b3d84acd76acad5c0d87342390b"
932 | integrity sha1-qCbjaLzLaz2ErNdqytXA2HNCOQs=
933 | dependencies:
934 | "@babel/helper-validator-identifier" "^7.16.7"
935 | to-fast-properties "^2.0.0"
936 |
937 | "@bcoe/v8-coverage@^0.2.3":
938 | version "0.2.3"
939 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz#75a2e8b51cb758a7553d6804a5932d7aace75c39"
940 | integrity sha1-daLotRy3WKdVPWgEpZMteqznXDk=
941 |
942 | "@istanbuljs/load-nyc-config@^1.0.0":
943 | version "1.1.0"
944 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz#fd3db1d59ecf7cf121e80650bb86712f9b55eced"
945 | integrity sha1-/T2x1Z7PfPEh6AZQu4ZxL5tV7O0=
946 | dependencies:
947 | camelcase "^5.3.1"
948 | find-up "^4.1.0"
949 | get-package-type "^0.1.0"
950 | js-yaml "^3.13.1"
951 | resolve-from "^5.0.0"
952 |
953 | "@istanbuljs/schema@^0.1.2":
954 | version "0.1.3"
955 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@istanbuljs/schema/-/schema-0.1.3.tgz#e45e384e4b8ec16bce2fd903af78450f6bf7ec98"
956 | integrity sha1-5F44TkuOwWvOL9kDr3hFD2v37Jg=
957 |
958 | "@jest/console@^27.5.1":
959 | version "27.5.1"
960 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/console/-/console-27.5.1.tgz#260fe7239602fe5130a94f1aa386eff54b014bba"
961 | integrity sha1-Jg/nI5YC/lEwqU8ao4bv9UsBS7o=
962 | dependencies:
963 | "@jest/types" "^27.5.1"
964 | "@types/node" "*"
965 | chalk "^4.0.0"
966 | jest-message-util "^27.5.1"
967 | jest-util "^27.5.1"
968 | slash "^3.0.0"
969 |
970 | "@jest/core@^27.5.1":
971 | version "27.5.1"
972 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/core/-/core-27.5.1.tgz#267ac5f704e09dc52de2922cbf3af9edcd64b626"
973 | integrity sha1-JnrF9wTgncUt4pIsvzr57c1ktiY=
974 | dependencies:
975 | "@jest/console" "^27.5.1"
976 | "@jest/reporters" "^27.5.1"
977 | "@jest/test-result" "^27.5.1"
978 | "@jest/transform" "^27.5.1"
979 | "@jest/types" "^27.5.1"
980 | "@types/node" "*"
981 | ansi-escapes "^4.2.1"
982 | chalk "^4.0.0"
983 | emittery "^0.8.1"
984 | exit "^0.1.2"
985 | graceful-fs "^4.2.9"
986 | jest-changed-files "^27.5.1"
987 | jest-config "^27.5.1"
988 | jest-haste-map "^27.5.1"
989 | jest-message-util "^27.5.1"
990 | jest-regex-util "^27.5.1"
991 | jest-resolve "^27.5.1"
992 | jest-resolve-dependencies "^27.5.1"
993 | jest-runner "^27.5.1"
994 | jest-runtime "^27.5.1"
995 | jest-snapshot "^27.5.1"
996 | jest-util "^27.5.1"
997 | jest-validate "^27.5.1"
998 | jest-watcher "^27.5.1"
999 | micromatch "^4.0.4"
1000 | rimraf "^3.0.0"
1001 | slash "^3.0.0"
1002 | strip-ansi "^6.0.0"
1003 |
1004 | "@jest/environment@^27.5.1":
1005 | version "27.5.1"
1006 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/environment/-/environment-27.5.1.tgz#d7425820511fe7158abbecc010140c3fd3be9c74"
1007 | integrity sha1-10JYIFEf5xWKu+zAEBQMP9O+nHQ=
1008 | dependencies:
1009 | "@jest/fake-timers" "^27.5.1"
1010 | "@jest/types" "^27.5.1"
1011 | "@types/node" "*"
1012 | jest-mock "^27.5.1"
1013 |
1014 | "@jest/fake-timers@^27.5.1":
1015 | version "27.5.1"
1016 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/fake-timers/-/fake-timers-27.5.1.tgz#76979745ce0579c8a94a4678af7a748eda8ada74"
1017 | integrity sha1-dpeXRc4FecipSkZ4r3p0jtqK2nQ=
1018 | dependencies:
1019 | "@jest/types" "^27.5.1"
1020 | "@sinonjs/fake-timers" "^8.0.1"
1021 | "@types/node" "*"
1022 | jest-message-util "^27.5.1"
1023 | jest-mock "^27.5.1"
1024 | jest-util "^27.5.1"
1025 |
1026 | "@jest/globals@^27.5.1":
1027 | version "27.5.1"
1028 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/globals/-/globals-27.5.1.tgz#7ac06ce57ab966566c7963431cef458434601b2b"
1029 | integrity sha1-esBs5Xq5ZlZseWNDHO9FhDRgGys=
1030 | dependencies:
1031 | "@jest/environment" "^27.5.1"
1032 | "@jest/types" "^27.5.1"
1033 | expect "^27.5.1"
1034 |
1035 | "@jest/reporters@^27.5.1":
1036 | version "27.5.1"
1037 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/reporters/-/reporters-27.5.1.tgz#ceda7be96170b03c923c37987b64015812ffec04"
1038 | integrity sha1-ztp76WFwsDySPDeYe2QBWBL/7AQ=
1039 | dependencies:
1040 | "@bcoe/v8-coverage" "^0.2.3"
1041 | "@jest/console" "^27.5.1"
1042 | "@jest/test-result" "^27.5.1"
1043 | "@jest/transform" "^27.5.1"
1044 | "@jest/types" "^27.5.1"
1045 | "@types/node" "*"
1046 | chalk "^4.0.0"
1047 | collect-v8-coverage "^1.0.0"
1048 | exit "^0.1.2"
1049 | glob "^7.1.2"
1050 | graceful-fs "^4.2.9"
1051 | istanbul-lib-coverage "^3.0.0"
1052 | istanbul-lib-instrument "^5.1.0"
1053 | istanbul-lib-report "^3.0.0"
1054 | istanbul-lib-source-maps "^4.0.0"
1055 | istanbul-reports "^3.1.3"
1056 | jest-haste-map "^27.5.1"
1057 | jest-resolve "^27.5.1"
1058 | jest-util "^27.5.1"
1059 | jest-worker "^27.5.1"
1060 | slash "^3.0.0"
1061 | source-map "^0.6.0"
1062 | string-length "^4.0.1"
1063 | terminal-link "^2.0.0"
1064 | v8-to-istanbul "^8.1.0"
1065 |
1066 | "@jest/source-map@^27.5.1":
1067 | version "27.5.1"
1068 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/source-map/-/source-map-27.5.1.tgz#6608391e465add4205eae073b55e7f279e04e8cf"
1069 | integrity sha1-Zgg5HkZa3UIF6uBztV5/J54E6M8=
1070 | dependencies:
1071 | callsites "^3.0.0"
1072 | graceful-fs "^4.2.9"
1073 | source-map "^0.6.0"
1074 |
1075 | "@jest/test-result@^27.5.1":
1076 | version "27.5.1"
1077 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/test-result/-/test-result-27.5.1.tgz#56a6585fa80f7cdab72b8c5fc2e871d03832f5bb"
1078 | integrity sha1-VqZYX6gPfNq3K4xfwuhx0Dgy9bs=
1079 | dependencies:
1080 | "@jest/console" "^27.5.1"
1081 | "@jest/types" "^27.5.1"
1082 | "@types/istanbul-lib-coverage" "^2.0.0"
1083 | collect-v8-coverage "^1.0.0"
1084 |
1085 | "@jest/test-sequencer@^27.5.1":
1086 | version "27.5.1"
1087 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/test-sequencer/-/test-sequencer-27.5.1.tgz#4057e0e9cea4439e544c6353c6affe58d095745b"
1088 | integrity sha1-QFfg6c6kQ55UTGNTxq/+WNCVdFs=
1089 | dependencies:
1090 | "@jest/test-result" "^27.5.1"
1091 | graceful-fs "^4.2.9"
1092 | jest-haste-map "^27.5.1"
1093 | jest-runtime "^27.5.1"
1094 |
1095 | "@jest/transform@^27.5.1":
1096 | version "27.5.1"
1097 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/transform/-/transform-27.5.1.tgz#6c3501dcc00c4c08915f292a600ece5ecfe1f409"
1098 | integrity sha1-bDUB3MAMTAiRXykqYA7OXs/h9Ak=
1099 | dependencies:
1100 | "@babel/core" "^7.1.0"
1101 | "@jest/types" "^27.5.1"
1102 | babel-plugin-istanbul "^6.1.1"
1103 | chalk "^4.0.0"
1104 | convert-source-map "^1.4.0"
1105 | fast-json-stable-stringify "^2.0.0"
1106 | graceful-fs "^4.2.9"
1107 | jest-haste-map "^27.5.1"
1108 | jest-regex-util "^27.5.1"
1109 | jest-util "^27.5.1"
1110 | micromatch "^4.0.4"
1111 | pirates "^4.0.4"
1112 | slash "^3.0.0"
1113 | source-map "^0.6.1"
1114 | write-file-atomic "^3.0.0"
1115 |
1116 | "@jest/types@^27.5.1":
1117 | version "27.5.1"
1118 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jest/types/-/types-27.5.1.tgz#3c79ec4a8ba61c170bf937bcf9e98a9df175ec80"
1119 | integrity sha1-PHnsSoumHBcL+Te8+emKnfF17IA=
1120 | dependencies:
1121 | "@types/istanbul-lib-coverage" "^2.0.0"
1122 | "@types/istanbul-reports" "^3.0.0"
1123 | "@types/node" "*"
1124 | "@types/yargs" "^16.0.0"
1125 | chalk "^4.0.0"
1126 |
1127 | "@jridgewell/resolve-uri@^3.0.3":
1128 | version "3.0.5"
1129 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jridgewell/resolve-uri/-/resolve-uri-3.0.5.tgz#68eb521368db76d040a6315cdb24bf2483037b9c"
1130 | integrity sha1-aOtSE2jbdtBApjFc2yS/JIMDe5w=
1131 |
1132 | "@jridgewell/sourcemap-codec@^1.4.10":
1133 | version "1.4.11"
1134 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.11.tgz#771a1d8d744eeb71b6adb35808e1a6c7b9b8c8ec"
1135 | integrity sha1-dxodjXRO63G2rbNYCOGmx7m4yOw=
1136 |
1137 | "@jridgewell/trace-mapping@^0.3.0":
1138 | version "0.3.4"
1139 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@jridgewell/trace-mapping/-/trace-mapping-0.3.4.tgz#f6a0832dffd5b8a6aaa633b7d9f8e8e94c83a0c3"
1140 | integrity sha1-9qCDLf/VuKaqpjO32fjo6UyDoMM=
1141 | dependencies:
1142 | "@jridgewell/resolve-uri" "^3.0.3"
1143 | "@jridgewell/sourcemap-codec" "^1.4.10"
1144 |
1145 | "@rollup/plugin-typescript@^8.3.2":
1146 | version "8.3.2"
1147 | resolved "https://registry.npmmirror.com/@rollup/plugin-typescript/-/plugin-typescript-8.3.2.tgz#e1b719e2ed3e752bbc092001656c48378f2d15f0"
1148 | integrity sha512-MtgyR5LNHZr3GyN0tM7gNO9D0CS+Y+vflS4v/PHmrX17JCkHUYKvQ5jN5o3cz1YKllM3duXUqu3yOHwMPUxhDg==
1149 | dependencies:
1150 | "@rollup/pluginutils" "^3.1.0"
1151 | resolve "^1.17.0"
1152 |
1153 | "@rollup/pluginutils@^3.1.0":
1154 | version "3.1.0"
1155 | resolved "https://registry.npmmirror.com/@rollup/pluginutils/-/pluginutils-3.1.0.tgz#706b4524ee6dc8b103b3c995533e5ad680c02b9b"
1156 | integrity sha512-GksZ6pr6TpIjHm8h9lSQ8pi8BE9VeubNT0OMJ3B5uZJ8pz73NPiqOtCog/x2/QzM1ENChPKxMDhiQuRHsqc+lg==
1157 | dependencies:
1158 | "@types/estree" "0.0.39"
1159 | estree-walker "^1.0.1"
1160 | picomatch "^2.2.2"
1161 |
1162 | "@sinonjs/commons@^1.7.0":
1163 | version "1.8.3"
1164 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@sinonjs/commons/-/commons-1.8.3.tgz#3802ddd21a50a949b6721ddd72da36e67e7f1b2d"
1165 | integrity sha1-OALd0hpQqUm2ch3dcto25n5/Gy0=
1166 | dependencies:
1167 | type-detect "4.0.8"
1168 |
1169 | "@sinonjs/fake-timers@^8.0.1":
1170 | version "8.1.0"
1171 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@sinonjs/fake-timers/-/fake-timers-8.1.0.tgz#3fdc2b6cb58935b21bfb8d1625eb1300484316e7"
1172 | integrity sha1-P9wrbLWJNbIb+40WJesTAEhDFuc=
1173 | dependencies:
1174 | "@sinonjs/commons" "^1.7.0"
1175 |
1176 | "@tootallnate/once@1":
1177 | version "1.1.2"
1178 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@tootallnate/once/-/once-1.1.2.tgz#ccb91445360179a04e7fe6aff78c00ffc1eeaf82"
1179 | integrity sha1-zLkURTYBeaBOf+av94wA/8Hur4I=
1180 |
1181 | "@types/babel__core@^7.0.0", "@types/babel__core@^7.1.14":
1182 | version "7.1.18"
1183 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/babel__core/-/babel__core-7.1.18.tgz#1a29abcc411a9c05e2094c98f9a1b7da6cdf49f8"
1184 | integrity sha1-GimrzEEanAXiCUyY+aG32mzfSfg=
1185 | dependencies:
1186 | "@babel/parser" "^7.1.0"
1187 | "@babel/types" "^7.0.0"
1188 | "@types/babel__generator" "*"
1189 | "@types/babel__template" "*"
1190 | "@types/babel__traverse" "*"
1191 |
1192 | "@types/babel__generator@*":
1193 | version "7.6.4"
1194 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/babel__generator/-/babel__generator-7.6.4.tgz#1f20ce4c5b1990b37900b63f050182d28c2439b7"
1195 | integrity sha1-HyDOTFsZkLN5ALY/BQGC0owkObc=
1196 | dependencies:
1197 | "@babel/types" "^7.0.0"
1198 |
1199 | "@types/babel__template@*":
1200 | version "7.4.1"
1201 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/babel__template/-/babel__template-7.4.1.tgz#3d1a48fd9d6c0edfd56f2ff578daed48f36c8969"
1202 | integrity sha1-PRpI/Z1sDt/Vby/1eNrtSPNsiWk=
1203 | dependencies:
1204 | "@babel/parser" "^7.1.0"
1205 | "@babel/types" "^7.0.0"
1206 |
1207 | "@types/babel__traverse@*", "@types/babel__traverse@^7.0.4", "@types/babel__traverse@^7.0.6":
1208 | version "7.14.2"
1209 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/babel__traverse/-/babel__traverse-7.14.2.tgz#ffcd470bbb3f8bf30481678fb5502278ca833a43"
1210 | integrity sha1-/81HC7s/i/MEgWePtVAieMqDOkM=
1211 | dependencies:
1212 | "@babel/types" "^7.3.0"
1213 |
1214 | "@types/estree@0.0.39":
1215 | version "0.0.39"
1216 | resolved "https://registry.npmmirror.com/@types/estree/-/estree-0.0.39.tgz#e177e699ee1b8c22d23174caaa7422644389509f"
1217 | integrity sha512-EYNwp3bU+98cpU4lAWYYL7Zz+2gryWH1qbdDTidVd6hkiR6weksdbMadyXKXNPEkQFhXM+hVO9ZygomHXp+AIw==
1218 |
1219 | "@types/graceful-fs@^4.1.2":
1220 | version "4.1.5"
1221 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/graceful-fs/-/graceful-fs-4.1.5.tgz#21ffba0d98da4350db64891f92a9e5db3cdb4e15"
1222 | integrity sha1-If+6DZjaQ1DbZIkfkqnl2zzbThU=
1223 | dependencies:
1224 | "@types/node" "*"
1225 |
1226 | "@types/istanbul-lib-coverage@*", "@types/istanbul-lib-coverage@^2.0.0", "@types/istanbul-lib-coverage@^2.0.1":
1227 | version "2.0.4"
1228 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.4.tgz#8467d4b3c087805d63580480890791277ce35c44"
1229 | integrity sha1-hGfUs8CHgF1jWASAiQeRJ3zjXEQ=
1230 |
1231 | "@types/istanbul-lib-report@*":
1232 | version "3.0.0"
1233 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz#c14c24f18ea8190c118ee7562b7ff99a36552686"
1234 | integrity sha1-wUwk8Y6oGQwRjudWK3/5mjZVJoY=
1235 | dependencies:
1236 | "@types/istanbul-lib-coverage" "*"
1237 |
1238 | "@types/istanbul-reports@^3.0.0":
1239 | version "3.0.1"
1240 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/istanbul-reports/-/istanbul-reports-3.0.1.tgz#9153fe98bba2bd565a63add9436d6f0d7f8468ff"
1241 | integrity sha1-kVP+mLuivVZaY63ZQ21vDX+EaP8=
1242 | dependencies:
1243 | "@types/istanbul-lib-report" "*"
1244 |
1245 | "@types/jest@^27.4.1":
1246 | version "27.4.1"
1247 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/jest/-/jest-27.4.1.tgz#185cbe2926eaaf9662d340cc02e548ce9e11ab6d"
1248 | integrity sha1-GFy+KSbqr5Zi00DMAuVIzp4Rq20=
1249 | dependencies:
1250 | jest-matcher-utils "^27.0.0"
1251 | pretty-format "^27.0.0"
1252 |
1253 | "@types/node@*":
1254 | version "17.0.21"
1255 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/node/-/node-17.0.21.tgz#864b987c0c68d07b4345845c3e63b75edd143644"
1256 | integrity sha1-hkuYfAxo0HtDRYRcPmO3Xt0UNkQ=
1257 |
1258 | "@types/prettier@^2.1.5":
1259 | version "2.4.4"
1260 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/prettier/-/prettier-2.4.4.tgz#5d9b63132df54d8909fce1c3f8ca260fdd693e17"
1261 | integrity sha1-XZtjEy31TYkJ/OHD+MomD91pPhc=
1262 |
1263 | "@types/stack-utils@^2.0.0":
1264 | version "2.0.1"
1265 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/stack-utils/-/stack-utils-2.0.1.tgz#20f18294f797f2209b5f65c8e3b5c8e8261d127c"
1266 | integrity sha1-IPGClPeX8iCbX2XI47XI6CYdEnw=
1267 |
1268 | "@types/yargs-parser@*":
1269 | version "21.0.0"
1270 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/yargs-parser/-/yargs-parser-21.0.0.tgz#0c60e537fa790f5f9472ed2776c2b71ec117351b"
1271 | integrity sha1-DGDlN/p5D1+Ucu0ndsK3HsEXNRs=
1272 |
1273 | "@types/yargs@^16.0.0":
1274 | version "16.0.4"
1275 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/@types/yargs/-/yargs-16.0.4.tgz#26aad98dd2c2a38e421086ea9ad42b9e51642977"
1276 | integrity sha1-JqrZjdLCo45CEIbqmtQrnlFkKXc=
1277 | dependencies:
1278 | "@types/yargs-parser" "*"
1279 |
1280 | abab@^2.0.3, abab@^2.0.5:
1281 | version "2.0.5"
1282 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/abab/-/abab-2.0.5.tgz#c0b678fb32d60fc1219c784d6a826fe385aeb79a"
1283 | integrity sha1-wLZ4+zLWD8EhnHhNaoJv44Wut5o=
1284 |
1285 | acorn-globals@^6.0.0:
1286 | version "6.0.0"
1287 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/acorn-globals/-/acorn-globals-6.0.0.tgz#46cdd39f0f8ff08a876619b55f5ac8a6dc770b45"
1288 | integrity sha1-Rs3Tnw+P8IqHZhm1X1rIptx3C0U=
1289 | dependencies:
1290 | acorn "^7.1.1"
1291 | acorn-walk "^7.1.1"
1292 |
1293 | acorn-walk@^7.1.1:
1294 | version "7.2.0"
1295 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/acorn-walk/-/acorn-walk-7.2.0.tgz#0de889a601203909b0fbe07b8938dc21d2e967bc"
1296 | integrity sha1-DeiJpgEgOQmw++B7iTjcIdLpZ7w=
1297 |
1298 | acorn@^7.1.1:
1299 | version "7.4.1"
1300 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/acorn/-/acorn-7.4.1.tgz#feaed255973d2e77555b83dbc08851a6c63520fa"
1301 | integrity sha1-/q7SVZc9LndVW4PbwIhRpsY1IPo=
1302 |
1303 | acorn@^8.2.4:
1304 | version "8.7.0"
1305 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/acorn/-/acorn-8.7.0.tgz#90951fde0f8f09df93549481e5fc141445b791cf"
1306 | integrity sha1-kJUf3g+PCd+TVJSB5fwUFEW3kc8=
1307 |
1308 | agent-base@6:
1309 | version "6.0.2"
1310 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/agent-base/-/agent-base-6.0.2.tgz#49fff58577cfee3f37176feab4c22e00f86d7f77"
1311 | integrity sha1-Sf/1hXfP7j83F2/qtMIuAPhtf3c=
1312 | dependencies:
1313 | debug "4"
1314 |
1315 | ansi-escapes@^4.2.1:
1316 | version "4.3.2"
1317 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/ansi-escapes/-/ansi-escapes-4.3.2.tgz#6b2291d1db7d98b6521d5f1efa42d0f3a9feb65e"
1318 | integrity sha1-ayKR0dt9mLZSHV8e+kLQ86n+tl4=
1319 | dependencies:
1320 | type-fest "^0.21.3"
1321 |
1322 | ansi-regex@^5.0.1:
1323 | version "5.0.1"
1324 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304"
1325 | integrity sha1-CCyyyJyf6GWaMRpTvWpNxTAdswQ=
1326 |
1327 | ansi-styles@^3.2.1:
1328 | version "3.2.1"
1329 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/ansi-styles/-/ansi-styles-3.2.1.tgz#41fbb20243e50b12be0f04b8dedbf07520ce841d"
1330 | integrity sha1-QfuyAkPlCxK+DwS43tvwdSDOhB0=
1331 | dependencies:
1332 | color-convert "^1.9.0"
1333 |
1334 | ansi-styles@^4.0.0, ansi-styles@^4.1.0:
1335 | version "4.3.0"
1336 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/ansi-styles/-/ansi-styles-4.3.0.tgz#edd803628ae71c04c85ae7a0906edad34b648937"
1337 | integrity sha1-7dgDYornHATIWuegkG7a00tkiTc=
1338 | dependencies:
1339 | color-convert "^2.0.1"
1340 |
1341 | ansi-styles@^5.0.0:
1342 | version "5.2.0"
1343 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/ansi-styles/-/ansi-styles-5.2.0.tgz#07449690ad45777d1924ac2abb2fc8895dba836b"
1344 | integrity sha1-B0SWkK1Fd30ZJKwquy/IiV26g2s=
1345 |
1346 | anymatch@^3.0.3:
1347 | version "3.1.2"
1348 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/anymatch/-/anymatch-3.1.2.tgz#c0557c096af32f106198f4f4e2a383537e378716"
1349 | integrity sha1-wFV8CWrzLxBhmPT04qODU343hxY=
1350 | dependencies:
1351 | normalize-path "^3.0.0"
1352 | picomatch "^2.0.4"
1353 |
1354 | argparse@^1.0.7:
1355 | version "1.0.10"
1356 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/argparse/-/argparse-1.0.10.tgz#bcd6791ea5ae09725e17e5ad988134cd40b3d911"
1357 | integrity sha1-vNZ5HqWuCXJeF+WtmIE0zUCz2RE=
1358 | dependencies:
1359 | sprintf-js "~1.0.2"
1360 |
1361 | asynckit@^0.4.0:
1362 | version "0.4.0"
1363 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79"
1364 | integrity sha1-x57Zf380y48robyXkLzDZkdLS3k=
1365 |
1366 | babel-jest@^27.5.1:
1367 | version "27.5.1"
1368 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/babel-jest/-/babel-jest-27.5.1.tgz#a1bf8d61928edfefd21da27eb86a695bfd691444"
1369 | integrity sha1-ob+NYZKO3+/SHaJ+uGppW/1pFEQ=
1370 | dependencies:
1371 | "@jest/transform" "^27.5.1"
1372 | "@jest/types" "^27.5.1"
1373 | "@types/babel__core" "^7.1.14"
1374 | babel-plugin-istanbul "^6.1.1"
1375 | babel-preset-jest "^27.5.1"
1376 | chalk "^4.0.0"
1377 | graceful-fs "^4.2.9"
1378 | slash "^3.0.0"
1379 |
1380 | babel-plugin-dynamic-import-node@^2.3.3:
1381 | version "2.3.3"
1382 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/babel-plugin-dynamic-import-node/-/babel-plugin-dynamic-import-node-2.3.3.tgz#84fda19c976ec5c6defef57f9427b3def66e17a3"
1383 | integrity sha1-hP2hnJduxcbe/vV/lCez3vZuF6M=
1384 | dependencies:
1385 | object.assign "^4.1.0"
1386 |
1387 | babel-plugin-istanbul@^6.1.1:
1388 | version "6.1.1"
1389 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/babel-plugin-istanbul/-/babel-plugin-istanbul-6.1.1.tgz#fa88ec59232fd9b4e36dbbc540a8ec9a9b47da73"
1390 | integrity sha1-+ojsWSMv2bTjbbvFQKjsmptH2nM=
1391 | dependencies:
1392 | "@babel/helper-plugin-utils" "^7.0.0"
1393 | "@istanbuljs/load-nyc-config" "^1.0.0"
1394 | "@istanbuljs/schema" "^0.1.2"
1395 | istanbul-lib-instrument "^5.0.4"
1396 | test-exclude "^6.0.0"
1397 |
1398 | babel-plugin-jest-hoist@^27.5.1:
1399 | version "27.5.1"
1400 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-27.5.1.tgz#9be98ecf28c331eb9f5df9c72d6f89deb8181c2e"
1401 | integrity sha1-m+mOzyjDMeufXfnHLW+J3rgYHC4=
1402 | dependencies:
1403 | "@babel/template" "^7.3.3"
1404 | "@babel/types" "^7.3.3"
1405 | "@types/babel__core" "^7.0.0"
1406 | "@types/babel__traverse" "^7.0.6"
1407 |
1408 | babel-plugin-polyfill-corejs2@^0.3.0:
1409 | version "0.3.1"
1410 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.3.1.tgz#440f1b70ccfaabc6b676d196239b138f8a2cfba5"
1411 | integrity sha1-RA8bcMz6q8a2dtGWI5sTj4os+6U=
1412 | dependencies:
1413 | "@babel/compat-data" "^7.13.11"
1414 | "@babel/helper-define-polyfill-provider" "^0.3.1"
1415 | semver "^6.1.1"
1416 |
1417 | babel-plugin-polyfill-corejs3@^0.5.0:
1418 | version "0.5.2"
1419 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.5.2.tgz#aabe4b2fa04a6e038b688c5e55d44e78cd3a5f72"
1420 | integrity sha1-qr5LL6BKbgOLaIxeVdROeM06X3I=
1421 | dependencies:
1422 | "@babel/helper-define-polyfill-provider" "^0.3.1"
1423 | core-js-compat "^3.21.0"
1424 |
1425 | babel-plugin-polyfill-regenerator@^0.3.0:
1426 | version "0.3.1"
1427 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.3.1.tgz#2c0678ea47c75c8cc2fbb1852278d8fb68233990"
1428 | integrity sha1-LAZ46kfHXIzC+7GFInjY+2gjOZA=
1429 | dependencies:
1430 | "@babel/helper-define-polyfill-provider" "^0.3.1"
1431 |
1432 | babel-preset-current-node-syntax@^1.0.0:
1433 | version "1.0.1"
1434 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/babel-preset-current-node-syntax/-/babel-preset-current-node-syntax-1.0.1.tgz#b4399239b89b2a011f9ddbe3e4f401fc40cff73b"
1435 | integrity sha1-tDmSObibKgEfndvj5PQB/EDP9zs=
1436 | dependencies:
1437 | "@babel/plugin-syntax-async-generators" "^7.8.4"
1438 | "@babel/plugin-syntax-bigint" "^7.8.3"
1439 | "@babel/plugin-syntax-class-properties" "^7.8.3"
1440 | "@babel/plugin-syntax-import-meta" "^7.8.3"
1441 | "@babel/plugin-syntax-json-strings" "^7.8.3"
1442 | "@babel/plugin-syntax-logical-assignment-operators" "^7.8.3"
1443 | "@babel/plugin-syntax-nullish-coalescing-operator" "^7.8.3"
1444 | "@babel/plugin-syntax-numeric-separator" "^7.8.3"
1445 | "@babel/plugin-syntax-object-rest-spread" "^7.8.3"
1446 | "@babel/plugin-syntax-optional-catch-binding" "^7.8.3"
1447 | "@babel/plugin-syntax-optional-chaining" "^7.8.3"
1448 | "@babel/plugin-syntax-top-level-await" "^7.8.3"
1449 |
1450 | babel-preset-jest@^27.5.1:
1451 | version "27.5.1"
1452 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/babel-preset-jest/-/babel-preset-jest-27.5.1.tgz#91f10f58034cb7989cb4f962b69fa6eef6a6bc81"
1453 | integrity sha1-kfEPWANMt5ictPlitp+m7vamvIE=
1454 | dependencies:
1455 | babel-plugin-jest-hoist "^27.5.1"
1456 | babel-preset-current-node-syntax "^1.0.0"
1457 |
1458 | balanced-match@^1.0.0:
1459 | version "1.0.2"
1460 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee"
1461 | integrity sha1-6D46fj8wCzTLnYf2FfoMvzV2kO4=
1462 |
1463 | brace-expansion@^1.1.7:
1464 | version "1.1.11"
1465 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd"
1466 | integrity sha1-PH/L9SnYcibz0vUrlm/1Jx60Qd0=
1467 | dependencies:
1468 | balanced-match "^1.0.0"
1469 | concat-map "0.0.1"
1470 |
1471 | braces@^3.0.1:
1472 | version "3.0.2"
1473 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107"
1474 | integrity sha1-NFThpGLujVmeI23zNs2epPiv4Qc=
1475 | dependencies:
1476 | fill-range "^7.0.1"
1477 |
1478 | browser-process-hrtime@^1.0.0:
1479 | version "1.0.0"
1480 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/browser-process-hrtime/-/browser-process-hrtime-1.0.0.tgz#3c9b4b7d782c8121e56f10106d84c0d0ffc94626"
1481 | integrity sha1-PJtLfXgsgSHlbxAQbYTA0P/JRiY=
1482 |
1483 | browserslist@^4.17.5, browserslist@^4.19.1:
1484 | version "4.19.3"
1485 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/browserslist/-/browserslist-4.19.3.tgz#29b7caad327ecf2859485f696f9604214bedd383"
1486 | integrity sha1-KbfKrTJ+zyhZSF9pb5YEIUvt04M=
1487 | dependencies:
1488 | caniuse-lite "^1.0.30001312"
1489 | electron-to-chromium "^1.4.71"
1490 | escalade "^3.1.1"
1491 | node-releases "^2.0.2"
1492 | picocolors "^1.0.0"
1493 |
1494 | bser@2.1.1:
1495 | version "2.1.1"
1496 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/bser/-/bser-2.1.1.tgz#e6787da20ece9d07998533cfd9de6f5c38f4bc05"
1497 | integrity sha1-5nh9og7OnQeZhTPP2d5vXDj0vAU=
1498 | dependencies:
1499 | node-int64 "^0.4.0"
1500 |
1501 | buffer-from@^1.0.0:
1502 | version "1.1.2"
1503 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/buffer-from/-/buffer-from-1.1.2.tgz#2b146a6fd72e80b4f55d255f35ed59a3a9a41bd5"
1504 | integrity sha1-KxRqb9cugLT1XSVfNe1Zo6mkG9U=
1505 |
1506 | call-bind@^1.0.0:
1507 | version "1.0.2"
1508 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/call-bind/-/call-bind-1.0.2.tgz#b1d4e89e688119c3c9a903ad30abb2f6a919be3c"
1509 | integrity sha1-sdTonmiBGcPJqQOtMKuy9qkZvjw=
1510 | dependencies:
1511 | function-bind "^1.1.1"
1512 | get-intrinsic "^1.0.2"
1513 |
1514 | callsites@^3.0.0:
1515 | version "3.1.0"
1516 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73"
1517 | integrity sha1-s2MKvYlDQy9Us/BRkjjjPNffL3M=
1518 |
1519 | camelcase@^5.3.1:
1520 | version "5.3.1"
1521 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/camelcase/-/camelcase-5.3.1.tgz#e3c9b31569e106811df242f715725a1f4c494320"
1522 | integrity sha1-48mzFWnhBoEd8kL3FXJaH0xJQyA=
1523 |
1524 | camelcase@^6.2.0:
1525 | version "6.3.0"
1526 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/camelcase/-/camelcase-6.3.0.tgz#5685b95eb209ac9c0c177467778c9c84df58ba9a"
1527 | integrity sha1-VoW5XrIJrJwMF3Rnd4ychN9Yupo=
1528 |
1529 | caniuse-lite@^1.0.30001312:
1530 | version "1.0.30001312"
1531 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/caniuse-lite/-/caniuse-lite-1.0.30001312.tgz#e11eba4b87e24d22697dae05455d5aea28550d5f"
1532 | integrity sha1-4R66S4fiTSJpfa4FRV1a6ihVDV8=
1533 |
1534 | chalk@^2.0.0:
1535 | version "2.4.2"
1536 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424"
1537 | integrity sha1-zUJUFnelQzPPVBpJEIwUMrRMlCQ=
1538 | dependencies:
1539 | ansi-styles "^3.2.1"
1540 | escape-string-regexp "^1.0.5"
1541 | supports-color "^5.3.0"
1542 |
1543 | chalk@^4.0.0:
1544 | version "4.1.2"
1545 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01"
1546 | integrity sha1-qsTit3NKdAhnrrFr8CqtVWoeegE=
1547 | dependencies:
1548 | ansi-styles "^4.1.0"
1549 | supports-color "^7.1.0"
1550 |
1551 | char-regex@^1.0.2:
1552 | version "1.0.2"
1553 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/char-regex/-/char-regex-1.0.2.tgz#d744358226217f981ed58f479b1d6bcc29545dcf"
1554 | integrity sha1-10Q1giYhf5ge1Y9Hmx1rzClUXc8=
1555 |
1556 | ci-info@^3.2.0:
1557 | version "3.3.0"
1558 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/ci-info/-/ci-info-3.3.0.tgz#b4ed1fb6818dea4803a55c623041f9165d2066b2"
1559 | integrity sha1-tO0ftoGN6kgDpVxiMEH5Fl0gZrI=
1560 |
1561 | cjs-module-lexer@^1.0.0:
1562 | version "1.2.2"
1563 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/cjs-module-lexer/-/cjs-module-lexer-1.2.2.tgz#9f84ba3244a512f3a54e5277e8eef4c489864e40"
1564 | integrity sha1-n4S6MkSlEvOlTlJ36O70xImGTkA=
1565 |
1566 | cliui@^7.0.2:
1567 | version "7.0.4"
1568 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/cliui/-/cliui-7.0.4.tgz#a0265ee655476fc807aea9df3df8df7783808b4f"
1569 | integrity sha1-oCZe5lVHb8gHrqnfPfjfd4OAi08=
1570 | dependencies:
1571 | string-width "^4.2.0"
1572 | strip-ansi "^6.0.0"
1573 | wrap-ansi "^7.0.0"
1574 |
1575 | co@^4.6.0:
1576 | version "4.6.0"
1577 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/co/-/co-4.6.0.tgz#6ea6bdf3d853ae54ccb8e47bfa0bf3f9031fb184"
1578 | integrity sha1-bqa989hTrlTMuOR7+gvz+QMfsYQ=
1579 |
1580 | collect-v8-coverage@^1.0.0:
1581 | version "1.0.1"
1582 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/collect-v8-coverage/-/collect-v8-coverage-1.0.1.tgz#cc2c8e94fc18bbdffe64d6534570c8a673b27f59"
1583 | integrity sha1-zCyOlPwYu9/+ZNZTRXDIpnOyf1k=
1584 |
1585 | color-convert@^1.9.0:
1586 | version "1.9.3"
1587 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/color-convert/-/color-convert-1.9.3.tgz#bb71850690e1f136567de629d2d5471deda4c1e8"
1588 | integrity sha1-u3GFBpDh8TZWfeYp0tVHHe2kweg=
1589 | dependencies:
1590 | color-name "1.1.3"
1591 |
1592 | color-convert@^2.0.1:
1593 | version "2.0.1"
1594 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/color-convert/-/color-convert-2.0.1.tgz#72d3a68d598c9bdb3af2ad1e84f21d896abd4de3"
1595 | integrity sha1-ctOmjVmMm9s68q0ehPIdiWq9TeM=
1596 | dependencies:
1597 | color-name "~1.1.4"
1598 |
1599 | color-name@1.1.3:
1600 | version "1.1.3"
1601 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25"
1602 | integrity sha1-p9BVi9icQveV3UIyj3QIMcpTvCU=
1603 |
1604 | color-name@~1.1.4:
1605 | version "1.1.4"
1606 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/color-name/-/color-name-1.1.4.tgz#c2a09a87acbde69543de6f63fa3995c826c536a2"
1607 | integrity sha1-wqCah6y95pVD3m9j+jmVyCbFNqI=
1608 |
1609 | combined-stream@^1.0.8:
1610 | version "1.0.8"
1611 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/combined-stream/-/combined-stream-1.0.8.tgz#c3d45a8b34fd730631a110a8a2520682b31d5a7f"
1612 | integrity sha1-w9RaizT9cwYxoRCoolIGgrMdWn8=
1613 | dependencies:
1614 | delayed-stream "~1.0.0"
1615 |
1616 | concat-map@0.0.1:
1617 | version "0.0.1"
1618 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
1619 | integrity sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=
1620 |
1621 | convert-source-map@^1.4.0, convert-source-map@^1.6.0, convert-source-map@^1.7.0:
1622 | version "1.8.0"
1623 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/convert-source-map/-/convert-source-map-1.8.0.tgz#f3373c32d21b4d780dd8004514684fb791ca4369"
1624 | integrity sha1-8zc8MtIbTXgN2ABFFGhPt5HKQ2k=
1625 | dependencies:
1626 | safe-buffer "~5.1.1"
1627 |
1628 | core-js-compat@^3.20.2, core-js-compat@^3.21.0:
1629 | version "3.21.1"
1630 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/core-js-compat/-/core-js-compat-3.21.1.tgz#cac369f67c8d134ff8f9bd1623e3bc2c42068c82"
1631 | integrity sha1-ysNp9nyNE0/4+b0WI+O8LEIGjII=
1632 | dependencies:
1633 | browserslist "^4.19.1"
1634 | semver "7.0.0"
1635 |
1636 | cross-spawn@^7.0.3:
1637 | version "7.0.3"
1638 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6"
1639 | integrity sha1-9zqFudXUHQRVUcF34ogtSshXKKY=
1640 | dependencies:
1641 | path-key "^3.1.0"
1642 | shebang-command "^2.0.0"
1643 | which "^2.0.1"
1644 |
1645 | cssom@^0.4.4:
1646 | version "0.4.4"
1647 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/cssom/-/cssom-0.4.4.tgz#5a66cf93d2d0b661d80bf6a44fb65f5c2e4e0a10"
1648 | integrity sha1-WmbPk9LQtmHYC/akT7ZfXC5OChA=
1649 |
1650 | cssom@~0.3.6:
1651 | version "0.3.8"
1652 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/cssom/-/cssom-0.3.8.tgz#9f1276f5b2b463f2114d3f2c75250af8c1a36f4a"
1653 | integrity sha1-nxJ29bK0Y/IRTT8sdSUK+MGjb0o=
1654 |
1655 | cssstyle@^2.3.0:
1656 | version "2.3.0"
1657 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/cssstyle/-/cssstyle-2.3.0.tgz#ff665a0ddbdc31864b09647f34163443d90b0852"
1658 | integrity sha1-/2ZaDdvcMYZLCWR/NBY0Q9kLCFI=
1659 | dependencies:
1660 | cssom "~0.3.6"
1661 |
1662 | data-urls@^2.0.0:
1663 | version "2.0.0"
1664 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/data-urls/-/data-urls-2.0.0.tgz#156485a72963a970f5d5821aaf642bef2bf2db9b"
1665 | integrity sha1-FWSFpyljqXD11YIar2Qr7yvy25s=
1666 | dependencies:
1667 | abab "^2.0.3"
1668 | whatwg-mimetype "^2.3.0"
1669 | whatwg-url "^8.0.0"
1670 |
1671 | debug@4, debug@^4.1.0, debug@^4.1.1:
1672 | version "4.3.3"
1673 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/debug/-/debug-4.3.3.tgz#04266e0b70a98d4462e6e288e38259213332b664"
1674 | integrity sha1-BCZuC3CpjURi5uKI44JZITMytmQ=
1675 | dependencies:
1676 | ms "2.1.2"
1677 |
1678 | decimal.js@^10.2.1:
1679 | version "10.3.1"
1680 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/decimal.js/-/decimal.js-10.3.1.tgz#d8c3a444a9c6774ba60ca6ad7261c3a94fd5e783"
1681 | integrity sha1-2MOkRKnGd0umDKatcmHDqU/V54M=
1682 |
1683 | dedent@^0.7.0:
1684 | version "0.7.0"
1685 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/dedent/-/dedent-0.7.0.tgz#2495ddbaf6eb874abb0e1be9df22d2e5a544326c"
1686 | integrity sha1-JJXduvbrh0q7Dhvp3yLS5aVEMmw=
1687 |
1688 | deep-is@~0.1.3:
1689 | version "0.1.4"
1690 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/deep-is/-/deep-is-0.1.4.tgz#a6f2dce612fadd2ef1f519b73551f17e85199831"
1691 | integrity sha1-pvLc5hL63S7x9Rm3NVHxfoUZmDE=
1692 |
1693 | deepmerge@^4.2.2:
1694 | version "4.2.2"
1695 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/deepmerge/-/deepmerge-4.2.2.tgz#44d2ea3679b8f4d4ffba33f03d865fc1e7bf4955"
1696 | integrity sha1-RNLqNnm49NT/ujPwPYZfwee/SVU=
1697 |
1698 | define-properties@^1.1.3:
1699 | version "1.1.3"
1700 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/define-properties/-/define-properties-1.1.3.tgz#cf88da6cbee26fe6db7094f61d870cbd84cee9f1"
1701 | integrity sha1-z4jabL7ib+bbcJT2HYcMvYTO6fE=
1702 | dependencies:
1703 | object-keys "^1.0.12"
1704 |
1705 | delayed-stream@~1.0.0:
1706 | version "1.0.0"
1707 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/delayed-stream/-/delayed-stream-1.0.0.tgz#df3ae199acadfb7d440aaae0b29e2272b24ec619"
1708 | integrity sha1-3zrhmayt+31ECqrgsp4icrJOxhk=
1709 |
1710 | detect-newline@^3.0.0:
1711 | version "3.1.0"
1712 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/detect-newline/-/detect-newline-3.1.0.tgz#576f5dfc63ae1a192ff192d8ad3af6308991b651"
1713 | integrity sha1-V29d/GOuGhkv8ZLYrTr2MImRtlE=
1714 |
1715 | diff-sequences@^27.5.1:
1716 | version "27.5.1"
1717 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/diff-sequences/-/diff-sequences-27.5.1.tgz#eaecc0d327fd68c8d9672a1e64ab8dccb2ef5327"
1718 | integrity sha1-6uzA0yf9aMjZZyoeZKuNzLLvUyc=
1719 |
1720 | domexception@^2.0.1:
1721 | version "2.0.1"
1722 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/domexception/-/domexception-2.0.1.tgz#fb44aefba793e1574b0af6aed2801d057529f304"
1723 | integrity sha1-+0Su+6eT4VdLCvau0oAdBXUp8wQ=
1724 | dependencies:
1725 | webidl-conversions "^5.0.0"
1726 |
1727 | electron-to-chromium@^1.4.71:
1728 | version "1.4.75"
1729 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/electron-to-chromium/-/electron-to-chromium-1.4.75.tgz#d1ad9bb46f2f1bf432118c2be21d27ffeae82fdd"
1730 | integrity sha1-0a2btG8vG/QyEYwr4h0n/+roL90=
1731 |
1732 | emittery@^0.8.1:
1733 | version "0.8.1"
1734 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/emittery/-/emittery-0.8.1.tgz#bb23cc86d03b30aa75a7f734819dee2e1ba70860"
1735 | integrity sha1-uyPMhtA7MKp1p/c0gZ3uLhunCGA=
1736 |
1737 | emoji-regex@^8.0.0:
1738 | version "8.0.0"
1739 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/emoji-regex/-/emoji-regex-8.0.0.tgz#e818fd69ce5ccfcb404594f842963bf53164cc37"
1740 | integrity sha1-6Bj9ac5cz8tARZT4QpY79TFkzDc=
1741 |
1742 | error-ex@^1.3.1:
1743 | version "1.3.2"
1744 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/error-ex/-/error-ex-1.3.2.tgz#b4ac40648107fdcdcfae242f428bea8a14d4f1bf"
1745 | integrity sha1-tKxAZIEH/c3PriQvQovqihTU8b8=
1746 | dependencies:
1747 | is-arrayish "^0.2.1"
1748 |
1749 | escalade@^3.1.1:
1750 | version "3.1.1"
1751 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/escalade/-/escalade-3.1.1.tgz#d8cfdc7000965c5a0174b4a82eaa5c0552742e40"
1752 | integrity sha1-2M/ccACWXFoBdLSoLqpcBVJ0LkA=
1753 |
1754 | escape-string-regexp@^1.0.5:
1755 | version "1.0.5"
1756 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4"
1757 | integrity sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ=
1758 |
1759 | escape-string-regexp@^2.0.0:
1760 | version "2.0.0"
1761 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz#a30304e99daa32e23b2fd20f51babd07cffca344"
1762 | integrity sha1-owME6Z2qMuI7L9IPUbq9B8/8o0Q=
1763 |
1764 | escodegen@^2.0.0:
1765 | version "2.0.0"
1766 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/escodegen/-/escodegen-2.0.0.tgz#5e32b12833e8aa8fa35e1bf0befa89380484c7dd"
1767 | integrity sha1-XjKxKDPoqo+jXhvwvvqJOASEx90=
1768 | dependencies:
1769 | esprima "^4.0.1"
1770 | estraverse "^5.2.0"
1771 | esutils "^2.0.2"
1772 | optionator "^0.8.1"
1773 | optionalDependencies:
1774 | source-map "~0.6.1"
1775 |
1776 | esprima@^4.0.0, esprima@^4.0.1:
1777 | version "4.0.1"
1778 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/esprima/-/esprima-4.0.1.tgz#13b04cdb3e6c5d19df91ab6987a8695619b0aa71"
1779 | integrity sha1-E7BM2z5sXRnfkatph6hpVhmwqnE=
1780 |
1781 | estraverse@^5.2.0:
1782 | version "5.3.0"
1783 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/estraverse/-/estraverse-5.3.0.tgz#2eea5290702f26ab8fe5370370ff86c965d21123"
1784 | integrity sha1-LupSkHAvJquP5TcDcP+GyWXSESM=
1785 |
1786 | estree-walker@^1.0.1:
1787 | version "1.0.1"
1788 | resolved "https://registry.npmmirror.com/estree-walker/-/estree-walker-1.0.1.tgz#31bc5d612c96b704106b477e6dd5d8aa138cb700"
1789 | integrity sha512-1fMXF3YP4pZZVozF8j/ZLfvnR8NSIljt56UhbZ5PeeDmmGHpgpdwQt7ITlGvYaQukCvuBRMLEiKiYC+oeIg4cg==
1790 |
1791 | esutils@^2.0.2:
1792 | version "2.0.3"
1793 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64"
1794 | integrity sha1-dNLrTeC42hKTcRkQ1Qd1ubcQ72Q=
1795 |
1796 | execa@^5.0.0:
1797 | version "5.1.1"
1798 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/execa/-/execa-5.1.1.tgz#f80ad9cbf4298f7bd1d4c9555c21e93741c411dd"
1799 | integrity sha1-+ArZy/Qpj3vR1MlVXCHpN0HEEd0=
1800 | dependencies:
1801 | cross-spawn "^7.0.3"
1802 | get-stream "^6.0.0"
1803 | human-signals "^2.1.0"
1804 | is-stream "^2.0.0"
1805 | merge-stream "^2.0.0"
1806 | npm-run-path "^4.0.1"
1807 | onetime "^5.1.2"
1808 | signal-exit "^3.0.3"
1809 | strip-final-newline "^2.0.0"
1810 |
1811 | exit@^0.1.2:
1812 | version "0.1.2"
1813 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/exit/-/exit-0.1.2.tgz#0632638f8d877cc82107d30a0fff1a17cba1cd0c"
1814 | integrity sha1-BjJjj42HfMghB9MKD/8aF8uhzQw=
1815 |
1816 | expect@^27.5.1:
1817 | version "27.5.1"
1818 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/expect/-/expect-27.5.1.tgz#83ce59f1e5bdf5f9d2b94b61d2050db48f3fef74"
1819 | integrity sha1-g85Z8eW99fnSuUth0gUNtI8/73Q=
1820 | dependencies:
1821 | "@jest/types" "^27.5.1"
1822 | jest-get-type "^27.5.1"
1823 | jest-matcher-utils "^27.5.1"
1824 | jest-message-util "^27.5.1"
1825 |
1826 | fast-json-stable-stringify@^2.0.0:
1827 | version "2.1.0"
1828 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633"
1829 | integrity sha1-h0v2nG9ATCtdmcSBNBOZ/VWJJjM=
1830 |
1831 | fast-levenshtein@~2.0.6:
1832 | version "2.0.6"
1833 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917"
1834 | integrity sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc=
1835 |
1836 | fb-watchman@^2.0.0:
1837 | version "2.0.1"
1838 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/fb-watchman/-/fb-watchman-2.0.1.tgz#fc84fb39d2709cf3ff6d743706157bb5708a8a85"
1839 | integrity sha1-/IT7OdJwnPP/bXQ3BhV7tXCKioU=
1840 | dependencies:
1841 | bser "2.1.1"
1842 |
1843 | fill-range@^7.0.1:
1844 | version "7.0.1"
1845 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40"
1846 | integrity sha1-GRmmp8df44ssfHflGYU12prN2kA=
1847 | dependencies:
1848 | to-regex-range "^5.0.1"
1849 |
1850 | find-up@^4.0.0, find-up@^4.1.0:
1851 | version "4.1.0"
1852 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/find-up/-/find-up-4.1.0.tgz#97afe7d6cdc0bc5928584b7c8d7b16e8a9aa5d19"
1853 | integrity sha1-l6/n1s3AvFkoWEt8jXsW6KmqXRk=
1854 | dependencies:
1855 | locate-path "^5.0.0"
1856 | path-exists "^4.0.0"
1857 |
1858 | form-data@^3.0.0:
1859 | version "3.0.1"
1860 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/form-data/-/form-data-3.0.1.tgz#ebd53791b78356a99af9a300d4282c4d5eb9755f"
1861 | integrity sha1-69U3kbeDVqma+aMA1CgsTV65dV8=
1862 | dependencies:
1863 | asynckit "^0.4.0"
1864 | combined-stream "^1.0.8"
1865 | mime-types "^2.1.12"
1866 |
1867 | fs.realpath@^1.0.0:
1868 | version "1.0.0"
1869 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
1870 | integrity sha1-FQStJSMVjKpA20onh8sBQRmU6k8=
1871 |
1872 | fsevents@^2.3.2, fsevents@~2.3.2:
1873 | version "2.3.2"
1874 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/fsevents/-/fsevents-2.3.2.tgz#8a526f78b8fdf4623b709e0b975c52c24c02fd1a"
1875 | integrity sha1-ilJveLj99GI7cJ4Ll1xSwkwC/Ro=
1876 |
1877 | function-bind@^1.1.1:
1878 | version "1.1.1"
1879 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d"
1880 | integrity sha1-pWiZ0+o8m6uHS7l3O3xe3pL0iV0=
1881 |
1882 | gensync@^1.0.0-beta.2:
1883 | version "1.0.0-beta.2"
1884 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/gensync/-/gensync-1.0.0-beta.2.tgz#32a6ee76c3d7f52d46b2b1ae5d93fea8580a25e0"
1885 | integrity sha1-MqbudsPX9S1GsrGuXZP+qFgKJeA=
1886 |
1887 | get-caller-file@^2.0.5:
1888 | version "2.0.5"
1889 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e"
1890 | integrity sha1-T5RBKoLbMvNuOwuXQfipf+sDH34=
1891 |
1892 | get-intrinsic@^1.0.2:
1893 | version "1.1.1"
1894 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/get-intrinsic/-/get-intrinsic-1.1.1.tgz#15f59f376f855c446963948f0d24cd3637b4abc6"
1895 | integrity sha1-FfWfN2+FXERpY5SPDSTNNje0q8Y=
1896 | dependencies:
1897 | function-bind "^1.1.1"
1898 | has "^1.0.3"
1899 | has-symbols "^1.0.1"
1900 |
1901 | get-package-type@^0.1.0:
1902 | version "0.1.0"
1903 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/get-package-type/-/get-package-type-0.1.0.tgz#8de2d803cff44df3bc6c456e6668b36c3926e11a"
1904 | integrity sha1-jeLYA8/0TfO8bEVuZmizbDkm4Ro=
1905 |
1906 | get-stream@^6.0.0:
1907 | version "6.0.1"
1908 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/get-stream/-/get-stream-6.0.1.tgz#a262d8eef67aced57c2852ad6167526a43cbf7b7"
1909 | integrity sha1-omLY7vZ6ztV8KFKtYWdSakPL97c=
1910 |
1911 | glob@^7.1.1, glob@^7.1.2, glob@^7.1.3, glob@^7.1.4:
1912 | version "7.2.0"
1913 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/glob/-/glob-7.2.0.tgz#d15535af7732e02e948f4c41628bd910293f6023"
1914 | integrity sha1-0VU1r3cy4C6Uj0xBYovZECk/YCM=
1915 | dependencies:
1916 | fs.realpath "^1.0.0"
1917 | inflight "^1.0.4"
1918 | inherits "2"
1919 | minimatch "^3.0.4"
1920 | once "^1.3.0"
1921 | path-is-absolute "^1.0.0"
1922 |
1923 | globals@^11.1.0:
1924 | version "11.12.0"
1925 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/globals/-/globals-11.12.0.tgz#ab8795338868a0babd8525758018c2a7eb95c42e"
1926 | integrity sha1-q4eVM4hooLq9hSV1gBjCp+uVxC4=
1927 |
1928 | graceful-fs@^4.2.9:
1929 | version "4.2.9"
1930 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/graceful-fs/-/graceful-fs-4.2.9.tgz#041b05df45755e587a24942279b9d113146e1c96"
1931 | integrity sha1-BBsF30V1Xlh6JJQiebnRExRuHJY=
1932 |
1933 | has-flag@^3.0.0:
1934 | version "3.0.0"
1935 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd"
1936 | integrity sha1-tdRU3CGZriJWmfNGfloH87lVuv0=
1937 |
1938 | has-flag@^4.0.0:
1939 | version "4.0.0"
1940 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b"
1941 | integrity sha1-lEdx/ZyByBJlxNaUGGDaBrtZR5s=
1942 |
1943 | has-symbols@^1.0.1:
1944 | version "1.0.3"
1945 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/has-symbols/-/has-symbols-1.0.3.tgz#bb7b2c4349251dce87b125f7bdf874aa7c8b39f8"
1946 | integrity sha1-u3ssQ0klHc6HsSX3vfh0qnyLOfg=
1947 |
1948 | has@^1.0.3:
1949 | version "1.0.3"
1950 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796"
1951 | integrity sha1-ci18v8H2qoJB8W3YFOAR4fQeh5Y=
1952 | dependencies:
1953 | function-bind "^1.1.1"
1954 |
1955 | html-encoding-sniffer@^2.0.1:
1956 | version "2.0.1"
1957 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/html-encoding-sniffer/-/html-encoding-sniffer-2.0.1.tgz#42a6dc4fd33f00281176e8b23759ca4e4fa185f3"
1958 | integrity sha1-QqbcT9M/ACgRduiyN1nKTk+hhfM=
1959 | dependencies:
1960 | whatwg-encoding "^1.0.5"
1961 |
1962 | html-escaper@^2.0.0:
1963 | version "2.0.2"
1964 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/html-escaper/-/html-escaper-2.0.2.tgz#dfd60027da36a36dfcbe236262c00a5822681453"
1965 | integrity sha1-39YAJ9o2o238viNiYsAKWCJoFFM=
1966 |
1967 | http-proxy-agent@^4.0.1:
1968 | version "4.0.1"
1969 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/http-proxy-agent/-/http-proxy-agent-4.0.1.tgz#8a8c8ef7f5932ccf953c296ca8291b95aa74aa3a"
1970 | integrity sha1-ioyO9/WTLM+VPClsqCkblap0qjo=
1971 | dependencies:
1972 | "@tootallnate/once" "1"
1973 | agent-base "6"
1974 | debug "4"
1975 |
1976 | https-proxy-agent@^5.0.0:
1977 | version "5.0.0"
1978 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/https-proxy-agent/-/https-proxy-agent-5.0.0.tgz#e2a90542abb68a762e0a0850f6c9edadfd8506b2"
1979 | integrity sha1-4qkFQqu2inYuCghQ9sntrf2FBrI=
1980 | dependencies:
1981 | agent-base "6"
1982 | debug "4"
1983 |
1984 | human-signals@^2.1.0:
1985 | version "2.1.0"
1986 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/human-signals/-/human-signals-2.1.0.tgz#dc91fcba42e4d06e4abaed33b3e7a3c02f514ea0"
1987 | integrity sha1-3JH8ukLk0G5Kuu0zs+ejwC9RTqA=
1988 |
1989 | iconv-lite@0.4.24:
1990 | version "0.4.24"
1991 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/iconv-lite/-/iconv-lite-0.4.24.tgz#2022b4b25fbddc21d2f524974a474aafe733908b"
1992 | integrity sha1-ICK0sl+93CHS9SSXSkdKr+czkIs=
1993 | dependencies:
1994 | safer-buffer ">= 2.1.2 < 3"
1995 |
1996 | import-local@^3.0.2:
1997 | version "3.1.0"
1998 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/import-local/-/import-local-3.1.0.tgz#b4479df8a5fd44f6cdce24070675676063c95cb4"
1999 | integrity sha1-tEed+KX9RPbNziQHBnVnYGPJXLQ=
2000 | dependencies:
2001 | pkg-dir "^4.2.0"
2002 | resolve-cwd "^3.0.0"
2003 |
2004 | imurmurhash@^0.1.4:
2005 | version "0.1.4"
2006 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea"
2007 | integrity sha1-khi5srkoojixPcT7a21XbyMUU+o=
2008 |
2009 | inflight@^1.0.4:
2010 | version "1.0.6"
2011 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
2012 | integrity sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk=
2013 | dependencies:
2014 | once "^1.3.0"
2015 | wrappy "1"
2016 |
2017 | inherits@2:
2018 | version "2.0.4"
2019 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
2020 | integrity sha1-D6LGT5MpF8NDOg3tVTY6rjdBa3w=
2021 |
2022 | is-arrayish@^0.2.1:
2023 | version "0.2.1"
2024 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d"
2025 | integrity sha1-d8mYQFJ6qOyxqLppe4BkWnqSap0=
2026 |
2027 | is-core-module@^2.8.1:
2028 | version "2.8.1"
2029 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/is-core-module/-/is-core-module-2.8.1.tgz#f59fdfca701d5879d0a6b100a40aa1560ce27211"
2030 | integrity sha1-9Z/fynAdWHnQprEApAqhVgzichE=
2031 | dependencies:
2032 | has "^1.0.3"
2033 |
2034 | is-fullwidth-code-point@^3.0.0:
2035 | version "3.0.0"
2036 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz#f116f8064fe90b3f7844a38997c0b75051269f1d"
2037 | integrity sha1-8Rb4Bk/pCz94RKOJl8C3UFEmnx0=
2038 |
2039 | is-generator-fn@^2.0.0:
2040 | version "2.1.0"
2041 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/is-generator-fn/-/is-generator-fn-2.1.0.tgz#7d140adc389aaf3011a8f2a2a4cfa6faadffb118"
2042 | integrity sha1-fRQK3DiarzARqPKipM+m+q3/sRg=
2043 |
2044 | is-number@^7.0.0:
2045 | version "7.0.0"
2046 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b"
2047 | integrity sha1-dTU0W4lnNNX4DE0GxQlVUnoU8Ss=
2048 |
2049 | is-potential-custom-element-name@^1.0.1:
2050 | version "1.0.1"
2051 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz#171ed6f19e3ac554394edf78caa05784a45bebb5"
2052 | integrity sha1-Fx7W8Z46xVQ5Tt94yqBXhKRb67U=
2053 |
2054 | is-stream@^2.0.0:
2055 | version "2.0.1"
2056 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/is-stream/-/is-stream-2.0.1.tgz#fac1e3d53b97ad5a9d0ae9cef2389f5810a5c077"
2057 | integrity sha1-+sHj1TuXrVqdCunO8jifWBClwHc=
2058 |
2059 | is-typedarray@^1.0.0:
2060 | version "1.0.0"
2061 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/is-typedarray/-/is-typedarray-1.0.0.tgz#e479c80858df0c1b11ddda6940f96011fcda4a9a"
2062 | integrity sha1-5HnICFjfDBsR3dppQPlgEfzaSpo=
2063 |
2064 | isexe@^2.0.0:
2065 | version "2.0.0"
2066 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10"
2067 | integrity sha1-6PvzdNxVb/iUehDcsFctYz8s+hA=
2068 |
2069 | istanbul-lib-coverage@^3.0.0, istanbul-lib-coverage@^3.2.0:
2070 | version "3.2.0"
2071 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.0.tgz#189e7909d0a39fa5a3dfad5b03f71947770191d3"
2072 | integrity sha1-GJ55CdCjn6Wj361bA/cZR3cBkdM=
2073 |
2074 | istanbul-lib-instrument@^5.0.4, istanbul-lib-instrument@^5.1.0:
2075 | version "5.1.0"
2076 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/istanbul-lib-instrument/-/istanbul-lib-instrument-5.1.0.tgz#7b49198b657b27a730b8e9cb601f1e1bff24c59a"
2077 | integrity sha1-e0kZi2V7J6cwuOnLYB8eG/8kxZo=
2078 | dependencies:
2079 | "@babel/core" "^7.12.3"
2080 | "@babel/parser" "^7.14.7"
2081 | "@istanbuljs/schema" "^0.1.2"
2082 | istanbul-lib-coverage "^3.2.0"
2083 | semver "^6.3.0"
2084 |
2085 | istanbul-lib-report@^3.0.0:
2086 | version "3.0.0"
2087 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz#7518fe52ea44de372f460a76b5ecda9ffb73d8a6"
2088 | integrity sha1-dRj+UupE3jcvRgp2tezan/tz2KY=
2089 | dependencies:
2090 | istanbul-lib-coverage "^3.0.0"
2091 | make-dir "^3.0.0"
2092 | supports-color "^7.1.0"
2093 |
2094 | istanbul-lib-source-maps@^4.0.0:
2095 | version "4.0.1"
2096 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz#895f3a709fcfba34c6de5a42939022f3e4358551"
2097 | integrity sha1-iV86cJ/PujTG3lpCk5Ai8+Q1hVE=
2098 | dependencies:
2099 | debug "^4.1.1"
2100 | istanbul-lib-coverage "^3.0.0"
2101 | source-map "^0.6.1"
2102 |
2103 | istanbul-reports@^3.1.3:
2104 | version "3.1.4"
2105 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/istanbul-reports/-/istanbul-reports-3.1.4.tgz#1b6f068ecbc6c331040aab5741991273e609e40c"
2106 | integrity sha1-G28GjsvGwzEECqtXQZkSc+YJ5Aw=
2107 | dependencies:
2108 | html-escaper "^2.0.0"
2109 | istanbul-lib-report "^3.0.0"
2110 |
2111 | jest-changed-files@^27.5.1:
2112 | version "27.5.1"
2113 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-changed-files/-/jest-changed-files-27.5.1.tgz#a348aed00ec9bf671cc58a66fcbe7c3dfd6a68f5"
2114 | integrity sha1-o0iu0A7Jv2ccxYpm/L58Pf1qaPU=
2115 | dependencies:
2116 | "@jest/types" "^27.5.1"
2117 | execa "^5.0.0"
2118 | throat "^6.0.1"
2119 |
2120 | jest-circus@^27.5.1:
2121 | version "27.5.1"
2122 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-circus/-/jest-circus-27.5.1.tgz#37a5a4459b7bf4406e53d637b49d22c65d125ecc"
2123 | integrity sha1-N6WkRZt79EBuU9Y3tJ0ixl0SXsw=
2124 | dependencies:
2125 | "@jest/environment" "^27.5.1"
2126 | "@jest/test-result" "^27.5.1"
2127 | "@jest/types" "^27.5.1"
2128 | "@types/node" "*"
2129 | chalk "^4.0.0"
2130 | co "^4.6.0"
2131 | dedent "^0.7.0"
2132 | expect "^27.5.1"
2133 | is-generator-fn "^2.0.0"
2134 | jest-each "^27.5.1"
2135 | jest-matcher-utils "^27.5.1"
2136 | jest-message-util "^27.5.1"
2137 | jest-runtime "^27.5.1"
2138 | jest-snapshot "^27.5.1"
2139 | jest-util "^27.5.1"
2140 | pretty-format "^27.5.1"
2141 | slash "^3.0.0"
2142 | stack-utils "^2.0.3"
2143 | throat "^6.0.1"
2144 |
2145 | jest-cli@^27.5.1:
2146 | version "27.5.1"
2147 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-cli/-/jest-cli-27.5.1.tgz#278794a6e6458ea8029547e6c6cbf673bd30b145"
2148 | integrity sha1-J4eUpuZFjqgClUfmxsv2c70wsUU=
2149 | dependencies:
2150 | "@jest/core" "^27.5.1"
2151 | "@jest/test-result" "^27.5.1"
2152 | "@jest/types" "^27.5.1"
2153 | chalk "^4.0.0"
2154 | exit "^0.1.2"
2155 | graceful-fs "^4.2.9"
2156 | import-local "^3.0.2"
2157 | jest-config "^27.5.1"
2158 | jest-util "^27.5.1"
2159 | jest-validate "^27.5.1"
2160 | prompts "^2.0.1"
2161 | yargs "^16.2.0"
2162 |
2163 | jest-config@^27.5.1:
2164 | version "27.5.1"
2165 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-config/-/jest-config-27.5.1.tgz#5c387de33dca3f99ad6357ddeccd91bf3a0e4a41"
2166 | integrity sha1-XDh94z3KP5mtY1fd7M2RvzoOSkE=
2167 | dependencies:
2168 | "@babel/core" "^7.8.0"
2169 | "@jest/test-sequencer" "^27.5.1"
2170 | "@jest/types" "^27.5.1"
2171 | babel-jest "^27.5.1"
2172 | chalk "^4.0.0"
2173 | ci-info "^3.2.0"
2174 | deepmerge "^4.2.2"
2175 | glob "^7.1.1"
2176 | graceful-fs "^4.2.9"
2177 | jest-circus "^27.5.1"
2178 | jest-environment-jsdom "^27.5.1"
2179 | jest-environment-node "^27.5.1"
2180 | jest-get-type "^27.5.1"
2181 | jest-jasmine2 "^27.5.1"
2182 | jest-regex-util "^27.5.1"
2183 | jest-resolve "^27.5.1"
2184 | jest-runner "^27.5.1"
2185 | jest-util "^27.5.1"
2186 | jest-validate "^27.5.1"
2187 | micromatch "^4.0.4"
2188 | parse-json "^5.2.0"
2189 | pretty-format "^27.5.1"
2190 | slash "^3.0.0"
2191 | strip-json-comments "^3.1.1"
2192 |
2193 | jest-diff@^27.5.1:
2194 | version "27.5.1"
2195 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-diff/-/jest-diff-27.5.1.tgz#a07f5011ac9e6643cf8a95a462b7b1ecf6680def"
2196 | integrity sha1-oH9QEayeZkPPipWkYrex7PZoDe8=
2197 | dependencies:
2198 | chalk "^4.0.0"
2199 | diff-sequences "^27.5.1"
2200 | jest-get-type "^27.5.1"
2201 | pretty-format "^27.5.1"
2202 |
2203 | jest-docblock@^27.5.1:
2204 | version "27.5.1"
2205 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-docblock/-/jest-docblock-27.5.1.tgz#14092f364a42c6108d42c33c8cf30e058e25f6c0"
2206 | integrity sha1-FAkvNkpCxhCNQsM8jPMOBY4l9sA=
2207 | dependencies:
2208 | detect-newline "^3.0.0"
2209 |
2210 | jest-each@^27.5.1:
2211 | version "27.5.1"
2212 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-each/-/jest-each-27.5.1.tgz#5bc87016f45ed9507fed6e4702a5b468a5b2c44e"
2213 | integrity sha1-W8hwFvRe2VB/7W5HAqW0aKWyxE4=
2214 | dependencies:
2215 | "@jest/types" "^27.5.1"
2216 | chalk "^4.0.0"
2217 | jest-get-type "^27.5.1"
2218 | jest-util "^27.5.1"
2219 | pretty-format "^27.5.1"
2220 |
2221 | jest-environment-jsdom@^27.5.1:
2222 | version "27.5.1"
2223 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-environment-jsdom/-/jest-environment-jsdom-27.5.1.tgz#ea9ccd1fc610209655a77898f86b2b559516a546"
2224 | integrity sha1-6pzNH8YQIJZVp3iY+GsrVZUWpUY=
2225 | dependencies:
2226 | "@jest/environment" "^27.5.1"
2227 | "@jest/fake-timers" "^27.5.1"
2228 | "@jest/types" "^27.5.1"
2229 | "@types/node" "*"
2230 | jest-mock "^27.5.1"
2231 | jest-util "^27.5.1"
2232 | jsdom "^16.6.0"
2233 |
2234 | jest-environment-node@^27.5.1:
2235 | version "27.5.1"
2236 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-environment-node/-/jest-environment-node-27.5.1.tgz#dedc2cfe52fab6b8f5714b4808aefa85357a365e"
2237 | integrity sha1-3tws/lL6trj1cUtICK76hTV6Nl4=
2238 | dependencies:
2239 | "@jest/environment" "^27.5.1"
2240 | "@jest/fake-timers" "^27.5.1"
2241 | "@jest/types" "^27.5.1"
2242 | "@types/node" "*"
2243 | jest-mock "^27.5.1"
2244 | jest-util "^27.5.1"
2245 |
2246 | jest-get-type@^27.5.1:
2247 | version "27.5.1"
2248 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-get-type/-/jest-get-type-27.5.1.tgz#3cd613c507b0f7ace013df407a1c1cd578bcb4f1"
2249 | integrity sha1-PNYTxQew96zgE99Aehwc1Xi8tPE=
2250 |
2251 | jest-haste-map@^27.5.1:
2252 | version "27.5.1"
2253 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-haste-map/-/jest-haste-map-27.5.1.tgz#9fd8bd7e7b4fa502d9c6164c5640512b4e811e7f"
2254 | integrity sha1-n9i9fntPpQLZxhZMVkBRK06BHn8=
2255 | dependencies:
2256 | "@jest/types" "^27.5.1"
2257 | "@types/graceful-fs" "^4.1.2"
2258 | "@types/node" "*"
2259 | anymatch "^3.0.3"
2260 | fb-watchman "^2.0.0"
2261 | graceful-fs "^4.2.9"
2262 | jest-regex-util "^27.5.1"
2263 | jest-serializer "^27.5.1"
2264 | jest-util "^27.5.1"
2265 | jest-worker "^27.5.1"
2266 | micromatch "^4.0.4"
2267 | walker "^1.0.7"
2268 | optionalDependencies:
2269 | fsevents "^2.3.2"
2270 |
2271 | jest-jasmine2@^27.5.1:
2272 | version "27.5.1"
2273 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-jasmine2/-/jest-jasmine2-27.5.1.tgz#a037b0034ef49a9f3d71c4375a796f3b230d1ac4"
2274 | integrity sha1-oDewA070mp89ccQ3WnlvOyMNGsQ=
2275 | dependencies:
2276 | "@jest/environment" "^27.5.1"
2277 | "@jest/source-map" "^27.5.1"
2278 | "@jest/test-result" "^27.5.1"
2279 | "@jest/types" "^27.5.1"
2280 | "@types/node" "*"
2281 | chalk "^4.0.0"
2282 | co "^4.6.0"
2283 | expect "^27.5.1"
2284 | is-generator-fn "^2.0.0"
2285 | jest-each "^27.5.1"
2286 | jest-matcher-utils "^27.5.1"
2287 | jest-message-util "^27.5.1"
2288 | jest-runtime "^27.5.1"
2289 | jest-snapshot "^27.5.1"
2290 | jest-util "^27.5.1"
2291 | pretty-format "^27.5.1"
2292 | throat "^6.0.1"
2293 |
2294 | jest-leak-detector@^27.5.1:
2295 | version "27.5.1"
2296 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-leak-detector/-/jest-leak-detector-27.5.1.tgz#6ec9d54c3579dd6e3e66d70e3498adf80fde3fb8"
2297 | integrity sha1-bsnVTDV53W4+ZtcONJit+A/eP7g=
2298 | dependencies:
2299 | jest-get-type "^27.5.1"
2300 | pretty-format "^27.5.1"
2301 |
2302 | jest-matcher-utils@^27.0.0, jest-matcher-utils@^27.5.1:
2303 | version "27.5.1"
2304 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-matcher-utils/-/jest-matcher-utils-27.5.1.tgz#9c0cdbda8245bc22d2331729d1091308b40cf8ab"
2305 | integrity sha1-nAzb2oJFvCLSMxcp0QkTCLQM+Ks=
2306 | dependencies:
2307 | chalk "^4.0.0"
2308 | jest-diff "^27.5.1"
2309 | jest-get-type "^27.5.1"
2310 | pretty-format "^27.5.1"
2311 |
2312 | jest-message-util@^27.5.1:
2313 | version "27.5.1"
2314 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-message-util/-/jest-message-util-27.5.1.tgz#bdda72806da10d9ed6425e12afff38cd1458b6cf"
2315 | integrity sha1-vdpygG2hDZ7WQl4Sr/84zRRYts8=
2316 | dependencies:
2317 | "@babel/code-frame" "^7.12.13"
2318 | "@jest/types" "^27.5.1"
2319 | "@types/stack-utils" "^2.0.0"
2320 | chalk "^4.0.0"
2321 | graceful-fs "^4.2.9"
2322 | micromatch "^4.0.4"
2323 | pretty-format "^27.5.1"
2324 | slash "^3.0.0"
2325 | stack-utils "^2.0.3"
2326 |
2327 | jest-mock@^27.5.1:
2328 | version "27.5.1"
2329 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-mock/-/jest-mock-27.5.1.tgz#19948336d49ef4d9c52021d34ac7b5f36ff967d6"
2330 | integrity sha1-GZSDNtSe9NnFICHTSse182/5Z9Y=
2331 | dependencies:
2332 | "@jest/types" "^27.5.1"
2333 | "@types/node" "*"
2334 |
2335 | jest-pnp-resolver@^1.2.2:
2336 | version "1.2.2"
2337 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-pnp-resolver/-/jest-pnp-resolver-1.2.2.tgz#b704ac0ae028a89108a4d040b3f919dfddc8e33c"
2338 | integrity sha1-twSsCuAoqJEIpNBAs/kZ393I4zw=
2339 |
2340 | jest-regex-util@^27.5.1:
2341 | version "27.5.1"
2342 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-regex-util/-/jest-regex-util-27.5.1.tgz#4da143f7e9fd1e542d4aa69617b38e4a78365b95"
2343 | integrity sha1-TaFD9+n9HlQtSqaWF7OOSng2W5U=
2344 |
2345 | jest-resolve-dependencies@^27.5.1:
2346 | version "27.5.1"
2347 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-resolve-dependencies/-/jest-resolve-dependencies-27.5.1.tgz#d811ecc8305e731cc86dd79741ee98fed06f1da8"
2348 | integrity sha1-2BHsyDBecxzIbdeXQe6Y/tBvHag=
2349 | dependencies:
2350 | "@jest/types" "^27.5.1"
2351 | jest-regex-util "^27.5.1"
2352 | jest-snapshot "^27.5.1"
2353 |
2354 | jest-resolve@^27.5.1:
2355 | version "27.5.1"
2356 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-resolve/-/jest-resolve-27.5.1.tgz#a2f1c5a0796ec18fe9eb1536ac3814c23617b384"
2357 | integrity sha1-ovHFoHluwY/p6xU2rDgUwjYXs4Q=
2358 | dependencies:
2359 | "@jest/types" "^27.5.1"
2360 | chalk "^4.0.0"
2361 | graceful-fs "^4.2.9"
2362 | jest-haste-map "^27.5.1"
2363 | jest-pnp-resolver "^1.2.2"
2364 | jest-util "^27.5.1"
2365 | jest-validate "^27.5.1"
2366 | resolve "^1.20.0"
2367 | resolve.exports "^1.1.0"
2368 | slash "^3.0.0"
2369 |
2370 | jest-runner@^27.5.1:
2371 | version "27.5.1"
2372 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-runner/-/jest-runner-27.5.1.tgz#071b27c1fa30d90540805c5645a0ec167c7b62e5"
2373 | integrity sha1-Bxsnwfow2QVAgFxWRaDsFnx7YuU=
2374 | dependencies:
2375 | "@jest/console" "^27.5.1"
2376 | "@jest/environment" "^27.5.1"
2377 | "@jest/test-result" "^27.5.1"
2378 | "@jest/transform" "^27.5.1"
2379 | "@jest/types" "^27.5.1"
2380 | "@types/node" "*"
2381 | chalk "^4.0.0"
2382 | emittery "^0.8.1"
2383 | graceful-fs "^4.2.9"
2384 | jest-docblock "^27.5.1"
2385 | jest-environment-jsdom "^27.5.1"
2386 | jest-environment-node "^27.5.1"
2387 | jest-haste-map "^27.5.1"
2388 | jest-leak-detector "^27.5.1"
2389 | jest-message-util "^27.5.1"
2390 | jest-resolve "^27.5.1"
2391 | jest-runtime "^27.5.1"
2392 | jest-util "^27.5.1"
2393 | jest-worker "^27.5.1"
2394 | source-map-support "^0.5.6"
2395 | throat "^6.0.1"
2396 |
2397 | jest-runtime@^27.5.1:
2398 | version "27.5.1"
2399 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-runtime/-/jest-runtime-27.5.1.tgz#4896003d7a334f7e8e4a53ba93fb9bcd3db0a1af"
2400 | integrity sha1-SJYAPXozT36OSlO6k/ubzT2woa8=
2401 | dependencies:
2402 | "@jest/environment" "^27.5.1"
2403 | "@jest/fake-timers" "^27.5.1"
2404 | "@jest/globals" "^27.5.1"
2405 | "@jest/source-map" "^27.5.1"
2406 | "@jest/test-result" "^27.5.1"
2407 | "@jest/transform" "^27.5.1"
2408 | "@jest/types" "^27.5.1"
2409 | chalk "^4.0.0"
2410 | cjs-module-lexer "^1.0.0"
2411 | collect-v8-coverage "^1.0.0"
2412 | execa "^5.0.0"
2413 | glob "^7.1.3"
2414 | graceful-fs "^4.2.9"
2415 | jest-haste-map "^27.5.1"
2416 | jest-message-util "^27.5.1"
2417 | jest-mock "^27.5.1"
2418 | jest-regex-util "^27.5.1"
2419 | jest-resolve "^27.5.1"
2420 | jest-snapshot "^27.5.1"
2421 | jest-util "^27.5.1"
2422 | slash "^3.0.0"
2423 | strip-bom "^4.0.0"
2424 |
2425 | jest-serializer@^27.5.1:
2426 | version "27.5.1"
2427 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-serializer/-/jest-serializer-27.5.1.tgz#81438410a30ea66fd57ff730835123dea1fb1f64"
2428 | integrity sha1-gUOEEKMOpm/Vf/cwg1Ej3qH7H2Q=
2429 | dependencies:
2430 | "@types/node" "*"
2431 | graceful-fs "^4.2.9"
2432 |
2433 | jest-snapshot@^27.5.1:
2434 | version "27.5.1"
2435 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-snapshot/-/jest-snapshot-27.5.1.tgz#b668d50d23d38054a51b42c4039cab59ae6eb6a1"
2436 | integrity sha1-tmjVDSPTgFSlG0LEA5yrWa5utqE=
2437 | dependencies:
2438 | "@babel/core" "^7.7.2"
2439 | "@babel/generator" "^7.7.2"
2440 | "@babel/plugin-syntax-typescript" "^7.7.2"
2441 | "@babel/traverse" "^7.7.2"
2442 | "@babel/types" "^7.0.0"
2443 | "@jest/transform" "^27.5.1"
2444 | "@jest/types" "^27.5.1"
2445 | "@types/babel__traverse" "^7.0.4"
2446 | "@types/prettier" "^2.1.5"
2447 | babel-preset-current-node-syntax "^1.0.0"
2448 | chalk "^4.0.0"
2449 | expect "^27.5.1"
2450 | graceful-fs "^4.2.9"
2451 | jest-diff "^27.5.1"
2452 | jest-get-type "^27.5.1"
2453 | jest-haste-map "^27.5.1"
2454 | jest-matcher-utils "^27.5.1"
2455 | jest-message-util "^27.5.1"
2456 | jest-util "^27.5.1"
2457 | natural-compare "^1.4.0"
2458 | pretty-format "^27.5.1"
2459 | semver "^7.3.2"
2460 |
2461 | jest-util@^27.5.1:
2462 | version "27.5.1"
2463 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-util/-/jest-util-27.5.1.tgz#3ba9771e8e31a0b85da48fe0b0891fb86c01c2f9"
2464 | integrity sha1-O6l3Ho4xoLhdpI/gsIkfuGwBwvk=
2465 | dependencies:
2466 | "@jest/types" "^27.5.1"
2467 | "@types/node" "*"
2468 | chalk "^4.0.0"
2469 | ci-info "^3.2.0"
2470 | graceful-fs "^4.2.9"
2471 | picomatch "^2.2.3"
2472 |
2473 | jest-validate@^27.5.1:
2474 | version "27.5.1"
2475 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-validate/-/jest-validate-27.5.1.tgz#9197d54dc0bdb52260b8db40b46ae668e04df067"
2476 | integrity sha1-kZfVTcC9tSJguNtAtGrmaOBN8Gc=
2477 | dependencies:
2478 | "@jest/types" "^27.5.1"
2479 | camelcase "^6.2.0"
2480 | chalk "^4.0.0"
2481 | jest-get-type "^27.5.1"
2482 | leven "^3.1.0"
2483 | pretty-format "^27.5.1"
2484 |
2485 | jest-watcher@^27.5.1:
2486 | version "27.5.1"
2487 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-watcher/-/jest-watcher-27.5.1.tgz#71bd85fb9bde3a2c2ec4dc353437971c43c642a2"
2488 | integrity sha1-cb2F+5veOiwuxNw1NDeXHEPGQqI=
2489 | dependencies:
2490 | "@jest/test-result" "^27.5.1"
2491 | "@jest/types" "^27.5.1"
2492 | "@types/node" "*"
2493 | ansi-escapes "^4.2.1"
2494 | chalk "^4.0.0"
2495 | jest-util "^27.5.1"
2496 | string-length "^4.0.1"
2497 |
2498 | jest-worker@^27.5.1:
2499 | version "27.5.1"
2500 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest-worker/-/jest-worker-27.5.1.tgz#8d146f0900e8973b106b6f73cc1e9a8cb86f8db0"
2501 | integrity sha1-jRRvCQDolzsQa29zzB6ajLhvjbA=
2502 | dependencies:
2503 | "@types/node" "*"
2504 | merge-stream "^2.0.0"
2505 | supports-color "^8.0.0"
2506 |
2507 | jest@^27.5.1:
2508 | version "27.5.1"
2509 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jest/-/jest-27.5.1.tgz#dadf33ba70a779be7a6fc33015843b51494f63fc"
2510 | integrity sha1-2t8zunCneb56b8MwFYQ7UUlPY/w=
2511 | dependencies:
2512 | "@jest/core" "^27.5.1"
2513 | import-local "^3.0.2"
2514 | jest-cli "^27.5.1"
2515 |
2516 | js-tokens@^4.0.0:
2517 | version "4.0.0"
2518 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499"
2519 | integrity sha1-GSA/tZmR35jjoocFDUZHzerzJJk=
2520 |
2521 | js-yaml@^3.13.1:
2522 | version "3.14.1"
2523 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/js-yaml/-/js-yaml-3.14.1.tgz#dae812fdb3825fa306609a8717383c50c36a0537"
2524 | integrity sha1-2ugS/bOCX6MGYJqHFzg8UMNqBTc=
2525 | dependencies:
2526 | argparse "^1.0.7"
2527 | esprima "^4.0.0"
2528 |
2529 | jsdom@^16.6.0:
2530 | version "16.7.0"
2531 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jsdom/-/jsdom-16.7.0.tgz#918ae71965424b197c819f8183a754e18977b710"
2532 | integrity sha1-kYrnGWVCSxl8gZ+Bg6dU4Yl3txA=
2533 | dependencies:
2534 | abab "^2.0.5"
2535 | acorn "^8.2.4"
2536 | acorn-globals "^6.0.0"
2537 | cssom "^0.4.4"
2538 | cssstyle "^2.3.0"
2539 | data-urls "^2.0.0"
2540 | decimal.js "^10.2.1"
2541 | domexception "^2.0.1"
2542 | escodegen "^2.0.0"
2543 | form-data "^3.0.0"
2544 | html-encoding-sniffer "^2.0.1"
2545 | http-proxy-agent "^4.0.1"
2546 | https-proxy-agent "^5.0.0"
2547 | is-potential-custom-element-name "^1.0.1"
2548 | nwsapi "^2.2.0"
2549 | parse5 "6.0.1"
2550 | saxes "^5.0.1"
2551 | symbol-tree "^3.2.4"
2552 | tough-cookie "^4.0.0"
2553 | w3c-hr-time "^1.0.2"
2554 | w3c-xmlserializer "^2.0.0"
2555 | webidl-conversions "^6.1.0"
2556 | whatwg-encoding "^1.0.5"
2557 | whatwg-mimetype "^2.3.0"
2558 | whatwg-url "^8.5.0"
2559 | ws "^7.4.6"
2560 | xml-name-validator "^3.0.0"
2561 |
2562 | jsesc@^2.5.1:
2563 | version "2.5.2"
2564 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jsesc/-/jsesc-2.5.2.tgz#80564d2e483dacf6e8ef209650a67df3f0c283a4"
2565 | integrity sha1-gFZNLkg9rPbo7yCWUKZ98/DCg6Q=
2566 |
2567 | jsesc@~0.5.0:
2568 | version "0.5.0"
2569 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/jsesc/-/jsesc-0.5.0.tgz#e7dee66e35d6fc16f710fe91d5cf69f70f08911d"
2570 | integrity sha1-597mbjXW/Bb3EP6R1c9p9w8IkR0=
2571 |
2572 | json-parse-even-better-errors@^2.3.0:
2573 | version "2.3.1"
2574 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz#7c47805a94319928e05777405dc12e1f7a4ee02d"
2575 | integrity sha1-fEeAWpQxmSjgV3dAXcEuH3pO4C0=
2576 |
2577 | json5@^2.1.2:
2578 | version "2.2.0"
2579 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/json5/-/json5-2.2.0.tgz#2dfefe720c6ba525d9ebd909950f0515316c89a3"
2580 | integrity sha1-Lf7+cgxrpSXZ69kJlQ8FFTFsiaM=
2581 | dependencies:
2582 | minimist "^1.2.5"
2583 |
2584 | kleur@^3.0.3:
2585 | version "3.0.3"
2586 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/kleur/-/kleur-3.0.3.tgz#a79c9ecc86ee1ce3fa6206d1216c501f147fc07e"
2587 | integrity sha1-p5yezIbuHOP6YgbRIWxQHxR/wH4=
2588 |
2589 | leven@^3.1.0:
2590 | version "3.1.0"
2591 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/leven/-/leven-3.1.0.tgz#77891de834064cccba82ae7842bb6b14a13ed7f2"
2592 | integrity sha1-d4kd6DQGTMy6gq54QrtrFKE+1/I=
2593 |
2594 | levn@~0.3.0:
2595 | version "0.3.0"
2596 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/levn/-/levn-0.3.0.tgz#3b09924edf9f083c0490fdd4c0bc4421e04764ee"
2597 | integrity sha1-OwmSTt+fCDwEkP3UwLxEIeBHZO4=
2598 | dependencies:
2599 | prelude-ls "~1.1.2"
2600 | type-check "~0.3.2"
2601 |
2602 | lines-and-columns@^1.1.6:
2603 | version "1.2.4"
2604 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/lines-and-columns/-/lines-and-columns-1.2.4.tgz#eca284f75d2965079309dc0ad9255abb2ebc1632"
2605 | integrity sha1-7KKE910pZQeTCdwK2SVauy68FjI=
2606 |
2607 | locate-path@^5.0.0:
2608 | version "5.0.0"
2609 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/locate-path/-/locate-path-5.0.0.tgz#1afba396afd676a6d42504d0a67a3a7eb9f62aa0"
2610 | integrity sha1-Gvujlq/WdqbUJQTQpno6frn2KqA=
2611 | dependencies:
2612 | p-locate "^4.1.0"
2613 |
2614 | lodash.debounce@^4.0.8:
2615 | version "4.0.8"
2616 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/lodash.debounce/-/lodash.debounce-4.0.8.tgz#82d79bff30a67c4005ffd5e2515300ad9ca4d7af"
2617 | integrity sha1-gteb/zCmfEAF/9XiUVMArZyk168=
2618 |
2619 | lodash@^4.7.0:
2620 | version "4.17.21"
2621 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/lodash/-/lodash-4.17.21.tgz#679591c564c3bffaae8454cf0b3df370c3d6911c"
2622 | integrity sha1-Z5WRxWTDv/quhFTPCz3zcMPWkRw=
2623 |
2624 | lru-cache@^6.0.0:
2625 | version "6.0.0"
2626 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/lru-cache/-/lru-cache-6.0.0.tgz#6d6fe6570ebd96aaf90fcad1dafa3b2566db3a94"
2627 | integrity sha1-bW/mVw69lqr5D8rR2vo7JWbbOpQ=
2628 | dependencies:
2629 | yallist "^4.0.0"
2630 |
2631 | make-dir@^3.0.0:
2632 | version "3.1.0"
2633 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/make-dir/-/make-dir-3.1.0.tgz#415e967046b3a7f1d185277d84aa58203726a13f"
2634 | integrity sha1-QV6WcEazp/HRhSd9hKpYIDcmoT8=
2635 | dependencies:
2636 | semver "^6.0.0"
2637 |
2638 | makeerror@1.0.12:
2639 | version "1.0.12"
2640 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/makeerror/-/makeerror-1.0.12.tgz#3e5dd2079a82e812e983cc6610c4a2cb0eaa801a"
2641 | integrity sha1-Pl3SB5qC6BLpg8xmEMSiyw6qgBo=
2642 | dependencies:
2643 | tmpl "1.0.5"
2644 |
2645 | merge-stream@^2.0.0:
2646 | version "2.0.0"
2647 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/merge-stream/-/merge-stream-2.0.0.tgz#52823629a14dd00c9770fb6ad47dc6310f2c1f60"
2648 | integrity sha1-UoI2KaFN0AyXcPtq1H3GMQ8sH2A=
2649 |
2650 | micromatch@^4.0.4:
2651 | version "4.0.4"
2652 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/micromatch/-/micromatch-4.0.4.tgz#896d519dfe9db25fce94ceb7a500919bf881ebf9"
2653 | integrity sha1-iW1Rnf6dsl/OlM63pQCRm/iB6/k=
2654 | dependencies:
2655 | braces "^3.0.1"
2656 | picomatch "^2.2.3"
2657 |
2658 | mime-db@1.51.0:
2659 | version "1.51.0"
2660 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/mime-db/-/mime-db-1.51.0.tgz#d9ff62451859b18342d960850dc3cfb77e63fb0c"
2661 | integrity sha1-2f9iRRhZsYNC2WCFDcPPt35j+ww=
2662 |
2663 | mime-types@^2.1.12:
2664 | version "2.1.34"
2665 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/mime-types/-/mime-types-2.1.34.tgz#5a712f9ec1503511a945803640fafe09d3793c24"
2666 | integrity sha1-WnEvnsFQNRGpRYA2QPr+CdN5PCQ=
2667 | dependencies:
2668 | mime-db "1.51.0"
2669 |
2670 | mimic-fn@^2.1.0:
2671 | version "2.1.0"
2672 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b"
2673 | integrity sha1-ftLCzMyvhNP/y3pptXcR/CCDQBs=
2674 |
2675 | minimatch@^3.0.4:
2676 | version "3.1.2"
2677 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b"
2678 | integrity sha1-Gc0ZS/0+Qo8EmnCBfAONiatL41s=
2679 | dependencies:
2680 | brace-expansion "^1.1.7"
2681 |
2682 | minimist@^1.2.5:
2683 | version "1.2.5"
2684 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/minimist/-/minimist-1.2.5.tgz#67d66014b66a6a8aaa0c083c5fd58df4e4e97602"
2685 | integrity sha1-Z9ZgFLZqaoqqDAg8X9WN9OTpdgI=
2686 |
2687 | ms@2.1.2:
2688 | version "2.1.2"
2689 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009"
2690 | integrity sha1-0J0fNXtEP0kzgqjrPM0YOHKuYAk=
2691 |
2692 | natural-compare@^1.4.0:
2693 | version "1.4.0"
2694 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
2695 | integrity sha1-Sr6/7tdUHywnrPspvbvRXI1bpPc=
2696 |
2697 | node-int64@^0.4.0:
2698 | version "0.4.0"
2699 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/node-int64/-/node-int64-0.4.0.tgz#87a9065cdb355d3182d8f94ce11188b825c68a3b"
2700 | integrity sha1-h6kGXNs1XTGC2PlM4RGIuCXGijs=
2701 |
2702 | node-releases@^2.0.2:
2703 | version "2.0.2"
2704 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/node-releases/-/node-releases-2.0.2.tgz#7139fe71e2f4f11b47d4d2986aaf8c48699e0c01"
2705 | integrity sha1-cTn+ceL08RtH1NKYaq+MSGmeDAE=
2706 |
2707 | normalize-path@^3.0.0:
2708 | version "3.0.0"
2709 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/normalize-path/-/normalize-path-3.0.0.tgz#0dcd69ff23a1c9b11fd0978316644a0388216a65"
2710 | integrity sha1-Dc1p/yOhybEf0JeDFmRKA4ghamU=
2711 |
2712 | npm-run-path@^4.0.1:
2713 | version "4.0.1"
2714 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/npm-run-path/-/npm-run-path-4.0.1.tgz#b7ecd1e5ed53da8e37a55e1c2269e0b97ed748ea"
2715 | integrity sha1-t+zR5e1T2o43pV4cImnguX7XSOo=
2716 | dependencies:
2717 | path-key "^3.0.0"
2718 |
2719 | nwsapi@^2.2.0:
2720 | version "2.2.0"
2721 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/nwsapi/-/nwsapi-2.2.0.tgz#204879a9e3d068ff2a55139c2c772780681a38b7"
2722 | integrity sha1-IEh5qePQaP8qVROcLHcngGgaOLc=
2723 |
2724 | object-keys@^1.0.12, object-keys@^1.1.1:
2725 | version "1.1.1"
2726 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e"
2727 | integrity sha1-HEfyct8nfzsdrwYWd9nILiMixg4=
2728 |
2729 | object.assign@^4.1.0:
2730 | version "4.1.2"
2731 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/object.assign/-/object.assign-4.1.2.tgz#0ed54a342eceb37b38ff76eb831a0e788cb63940"
2732 | integrity sha1-DtVKNC7Os3s4/3brgxoOeIy2OUA=
2733 | dependencies:
2734 | call-bind "^1.0.0"
2735 | define-properties "^1.1.3"
2736 | has-symbols "^1.0.1"
2737 | object-keys "^1.1.1"
2738 |
2739 | once@^1.3.0:
2740 | version "1.4.0"
2741 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
2742 | integrity sha1-WDsap3WWHUsROsF9nFC6753Xa9E=
2743 | dependencies:
2744 | wrappy "1"
2745 |
2746 | onetime@^5.1.2:
2747 | version "5.1.2"
2748 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/onetime/-/onetime-5.1.2.tgz#d0e96ebb56b07476df1dd9c4806e5237985ca45e"
2749 | integrity sha1-0Oluu1awdHbfHdnEgG5SN5hcpF4=
2750 | dependencies:
2751 | mimic-fn "^2.1.0"
2752 |
2753 | optionator@^0.8.1:
2754 | version "0.8.3"
2755 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/optionator/-/optionator-0.8.3.tgz#84fa1d036fe9d3c7e21d99884b601167ec8fb495"
2756 | integrity sha1-hPodA2/p08fiHZmIS2ARZ+yPtJU=
2757 | dependencies:
2758 | deep-is "~0.1.3"
2759 | fast-levenshtein "~2.0.6"
2760 | levn "~0.3.0"
2761 | prelude-ls "~1.1.2"
2762 | type-check "~0.3.2"
2763 | word-wrap "~1.2.3"
2764 |
2765 | p-limit@^2.2.0:
2766 | version "2.3.0"
2767 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/p-limit/-/p-limit-2.3.0.tgz#3dd33c647a214fdfffd835933eb086da0dc21db1"
2768 | integrity sha1-PdM8ZHohT9//2DWTPrCG2g3CHbE=
2769 | dependencies:
2770 | p-try "^2.0.0"
2771 |
2772 | p-locate@^4.1.0:
2773 | version "4.1.0"
2774 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/p-locate/-/p-locate-4.1.0.tgz#a3428bb7088b3a60292f66919278b7c297ad4f07"
2775 | integrity sha1-o0KLtwiLOmApL2aRkni3wpetTwc=
2776 | dependencies:
2777 | p-limit "^2.2.0"
2778 |
2779 | p-try@^2.0.0:
2780 | version "2.2.0"
2781 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/p-try/-/p-try-2.2.0.tgz#cb2868540e313d61de58fafbe35ce9004d5540e6"
2782 | integrity sha1-yyhoVA4xPWHeWPr741zpAE1VQOY=
2783 |
2784 | parse-json@^5.2.0:
2785 | version "5.2.0"
2786 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/parse-json/-/parse-json-5.2.0.tgz#c76fc66dee54231c962b22bcc8a72cf2f99753cd"
2787 | integrity sha1-x2/Gbe5UIxyWKyK8yKcs8vmXU80=
2788 | dependencies:
2789 | "@babel/code-frame" "^7.0.0"
2790 | error-ex "^1.3.1"
2791 | json-parse-even-better-errors "^2.3.0"
2792 | lines-and-columns "^1.1.6"
2793 |
2794 | parse5@6.0.1:
2795 | version "6.0.1"
2796 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/parse5/-/parse5-6.0.1.tgz#e1a1c085c569b3dc08321184f19a39cc27f7c30b"
2797 | integrity sha1-4aHAhcVps9wIMhGE8Zo5zCf3wws=
2798 |
2799 | path-exists@^4.0.0:
2800 | version "4.0.0"
2801 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3"
2802 | integrity sha1-UTvb4tO5XXdi6METfvoZXGxhtbM=
2803 |
2804 | path-is-absolute@^1.0.0:
2805 | version "1.0.1"
2806 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
2807 | integrity sha1-F0uSaHNVNP+8es5r9TpanhtcX18=
2808 |
2809 | path-key@^3.0.0, path-key@^3.1.0:
2810 | version "3.1.1"
2811 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375"
2812 | integrity sha1-WB9q3mWMu6ZaDTOA3ndTKVBU83U=
2813 |
2814 | path-parse@^1.0.7:
2815 | version "1.0.7"
2816 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735"
2817 | integrity sha1-+8EUtgykKzDZ2vWFjkvWi77bZzU=
2818 |
2819 | picocolors@^1.0.0:
2820 | version "1.0.0"
2821 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/picocolors/-/picocolors-1.0.0.tgz#cb5bdc74ff3f51892236eaf79d68bc44564ab81c"
2822 | integrity sha1-y1vcdP8/UYkiNur3nWi8RFZKuBw=
2823 |
2824 | picomatch@^2.0.4, picomatch@^2.2.2, picomatch@^2.2.3:
2825 | version "2.3.1"
2826 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/picomatch/-/picomatch-2.3.1.tgz#3ba3833733646d9d3e4995946c1365a67fb07a42"
2827 | integrity sha1-O6ODNzNkbZ0+SZWUbBNlpn+wekI=
2828 |
2829 | pirates@^4.0.4:
2830 | version "4.0.5"
2831 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/pirates/-/pirates-4.0.5.tgz#feec352ea5c3268fb23a37c702ab1699f35a5f3b"
2832 | integrity sha1-/uw1LqXDJo+yOjfHAqsWmfNaXzs=
2833 |
2834 | pkg-dir@^4.2.0:
2835 | version "4.2.0"
2836 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/pkg-dir/-/pkg-dir-4.2.0.tgz#f099133df7ede422e81d1d8448270eeb3e4261f3"
2837 | integrity sha1-8JkTPfft5CLoHR2ESCcO6z5CYfM=
2838 | dependencies:
2839 | find-up "^4.0.0"
2840 |
2841 | prelude-ls@~1.1.2:
2842 | version "1.1.2"
2843 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/prelude-ls/-/prelude-ls-1.1.2.tgz#21932a549f5e52ffd9a827f570e04be62a97da54"
2844 | integrity sha1-IZMqVJ9eUv/ZqCf1cOBL5iqX2lQ=
2845 |
2846 | pretty-format@^27.0.0, pretty-format@^27.5.1:
2847 | version "27.5.1"
2848 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/pretty-format/-/pretty-format-27.5.1.tgz#2181879fdea51a7a5851fb39d920faa63f01d88e"
2849 | integrity sha1-IYGHn96lGnpYUfs52SD6pj8B2I4=
2850 | dependencies:
2851 | ansi-regex "^5.0.1"
2852 | ansi-styles "^5.0.0"
2853 | react-is "^17.0.1"
2854 |
2855 | prompts@^2.0.1:
2856 | version "2.4.2"
2857 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/prompts/-/prompts-2.4.2.tgz#7b57e73b3a48029ad10ebd44f74b01722a4cb069"
2858 | integrity sha1-e1fnOzpIAprRDr1E90sBcipMsGk=
2859 | dependencies:
2860 | kleur "^3.0.3"
2861 | sisteransi "^1.0.5"
2862 |
2863 | psl@^1.1.33:
2864 | version "1.8.0"
2865 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/psl/-/psl-1.8.0.tgz#9326f8bcfb013adcc005fdff056acce020e51c24"
2866 | integrity sha1-kyb4vPsBOtzABf3/BWrM4CDlHCQ=
2867 |
2868 | punycode@^2.1.1:
2869 | version "2.1.1"
2870 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/punycode/-/punycode-2.1.1.tgz#b58b010ac40c22c5657616c8d2c2c02c7bf479ec"
2871 | integrity sha1-tYsBCsQMIsVldhbI0sLALHv0eew=
2872 |
2873 | react-is@^17.0.1:
2874 | version "17.0.2"
2875 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/react-is/-/react-is-17.0.2.tgz#e691d4a8e9c789365655539ab372762b0efb54f0"
2876 | integrity sha1-5pHUqOnHiTZWVVOas3J2Kw77VPA=
2877 |
2878 | regenerate-unicode-properties@^10.0.1:
2879 | version "10.0.1"
2880 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/regenerate-unicode-properties/-/regenerate-unicode-properties-10.0.1.tgz#7f442732aa7934a3740c779bb9b3340dccc1fb56"
2881 | integrity sha1-f0QnMqp5NKN0DHebubM0DczB+1Y=
2882 | dependencies:
2883 | regenerate "^1.4.2"
2884 |
2885 | regenerate@^1.4.2:
2886 | version "1.4.2"
2887 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/regenerate/-/regenerate-1.4.2.tgz#b9346d8827e8f5a32f7ba29637d398b69014848a"
2888 | integrity sha1-uTRtiCfo9aMve6KWN9OYtpAUhIo=
2889 |
2890 | regenerator-runtime@^0.13.4:
2891 | version "0.13.9"
2892 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/regenerator-runtime/-/regenerator-runtime-0.13.9.tgz#8925742a98ffd90814988d7566ad30ca3b263b52"
2893 | integrity sha1-iSV0Kpj/2QgUmI11Zq0wyjsmO1I=
2894 |
2895 | regenerator-transform@^0.14.2:
2896 | version "0.14.5"
2897 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/regenerator-transform/-/regenerator-transform-0.14.5.tgz#c98da154683671c9c4dcb16ece736517e1b7feb4"
2898 | integrity sha1-yY2hVGg2ccnE3LFuznNlF+G3/rQ=
2899 | dependencies:
2900 | "@babel/runtime" "^7.8.4"
2901 |
2902 | regexpu-core@^5.0.1:
2903 | version "5.0.1"
2904 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/regexpu-core/-/regexpu-core-5.0.1.tgz#c531122a7840de743dcf9c83e923b5560323ced3"
2905 | integrity sha1-xTESKnhA3nQ9z5yD6SO1VgMjztM=
2906 | dependencies:
2907 | regenerate "^1.4.2"
2908 | regenerate-unicode-properties "^10.0.1"
2909 | regjsgen "^0.6.0"
2910 | regjsparser "^0.8.2"
2911 | unicode-match-property-ecmascript "^2.0.0"
2912 | unicode-match-property-value-ecmascript "^2.0.0"
2913 |
2914 | regjsgen@^0.6.0:
2915 | version "0.6.0"
2916 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/regjsgen/-/regjsgen-0.6.0.tgz#83414c5354afd7d6627b16af5f10f41c4e71808d"
2917 | integrity sha1-g0FMU1Sv19ZiexavXxD0HE5xgI0=
2918 |
2919 | regjsparser@^0.8.2:
2920 | version "0.8.4"
2921 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/regjsparser/-/regjsparser-0.8.4.tgz#8a14285ffcc5de78c5b95d62bbf413b6bc132d5f"
2922 | integrity sha1-ihQoX/zF3njFuV1iu/QTtrwTLV8=
2923 | dependencies:
2924 | jsesc "~0.5.0"
2925 |
2926 | require-directory@^2.1.1:
2927 | version "2.1.1"
2928 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42"
2929 | integrity sha1-jGStX9MNqxyXbiNE/+f3kqam30I=
2930 |
2931 | resolve-cwd@^3.0.0:
2932 | version "3.0.0"
2933 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/resolve-cwd/-/resolve-cwd-3.0.0.tgz#0f0075f1bb2544766cf73ba6a6e2adfebcb13f2d"
2934 | integrity sha1-DwB18bslRHZs9zumpuKt/ryxPy0=
2935 | dependencies:
2936 | resolve-from "^5.0.0"
2937 |
2938 | resolve-from@^5.0.0:
2939 | version "5.0.0"
2940 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/resolve-from/-/resolve-from-5.0.0.tgz#c35225843df8f776df21c57557bc087e9dfdfc69"
2941 | integrity sha1-w1IlhD3493bfIcV1V7wIfp39/Gk=
2942 |
2943 | resolve.exports@^1.1.0:
2944 | version "1.1.0"
2945 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/resolve.exports/-/resolve.exports-1.1.0.tgz#5ce842b94b05146c0e03076985d1d0e7e48c90c9"
2946 | integrity sha1-XOhCuUsFFGwOAwdphdHQ5+SMkMk=
2947 |
2948 | resolve@^1.14.2, resolve@^1.17.0, resolve@^1.20.0:
2949 | version "1.22.0"
2950 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/resolve/-/resolve-1.22.0.tgz#5e0b8c67c15df57a89bdbabe603a002f21731198"
2951 | integrity sha1-XguMZ8Fd9XqJvbq+YDoALyFzEZg=
2952 | dependencies:
2953 | is-core-module "^2.8.1"
2954 | path-parse "^1.0.7"
2955 | supports-preserve-symlinks-flag "^1.0.0"
2956 |
2957 | rimraf@^3.0.0:
2958 | version "3.0.2"
2959 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a"
2960 | integrity sha1-8aVAK6YiCtUswSgrrBrjqkn9Bho=
2961 | dependencies:
2962 | glob "^7.1.3"
2963 |
2964 | rollup@^2.70.1:
2965 | version "2.70.1"
2966 | resolved "https://registry.npmmirror.com/rollup/-/rollup-2.70.1.tgz#824b1f1f879ea396db30b0fc3ae8d2fead93523e"
2967 | integrity sha512-CRYsI5EuzLbXdxC6RnYhOuRdtz4bhejPMSWjsFLfVM/7w/85n2szZv6yExqUXsBdz5KT8eoubeyDUDjhLHEslA==
2968 | optionalDependencies:
2969 | fsevents "~2.3.2"
2970 |
2971 | safe-buffer@~5.1.1:
2972 | version "5.1.2"
2973 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d"
2974 | integrity sha1-mR7GnSluAxN0fVm9/St0XDX4go0=
2975 |
2976 | "safer-buffer@>= 2.1.2 < 3":
2977 | version "2.1.2"
2978 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a"
2979 | integrity sha1-RPoWGwGHuVSd2Eu5GAL5vYOFzWo=
2980 |
2981 | saxes@^5.0.1:
2982 | version "5.0.1"
2983 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/saxes/-/saxes-5.0.1.tgz#eebab953fa3b7608dbe94e5dadb15c888fa6696d"
2984 | integrity sha1-7rq5U/o7dgjb6U5drbFciI+maW0=
2985 | dependencies:
2986 | xmlchars "^2.2.0"
2987 |
2988 | semver@7.0.0:
2989 | version "7.0.0"
2990 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/semver/-/semver-7.0.0.tgz#5f3ca35761e47e05b206c6daff2cf814f0316b8e"
2991 | integrity sha1-XzyjV2HkfgWyBsba/yz4FPAxa44=
2992 |
2993 | semver@^6.0.0, semver@^6.1.1, semver@^6.1.2, semver@^6.3.0:
2994 | version "6.3.0"
2995 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d"
2996 | integrity sha1-7gpkyK9ejO6mdoexM3YeG+y9HT0=
2997 |
2998 | semver@^7.3.2:
2999 | version "7.3.5"
3000 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/semver/-/semver-7.3.5.tgz#0b621c879348d8998e4b0e4be94b3f12e6018ef7"
3001 | integrity sha1-C2Ich5NI2JmOSw5L6Us/EuYBjvc=
3002 | dependencies:
3003 | lru-cache "^6.0.0"
3004 |
3005 | shebang-command@^2.0.0:
3006 | version "2.0.0"
3007 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea"
3008 | integrity sha1-zNCvT4g1+9wmW4JGGq8MNmY/NOo=
3009 | dependencies:
3010 | shebang-regex "^3.0.0"
3011 |
3012 | shebang-regex@^3.0.0:
3013 | version "3.0.0"
3014 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172"
3015 | integrity sha1-rhbxZE2HPsrYQ7AwexQzYtTEIXI=
3016 |
3017 | signal-exit@^3.0.2, signal-exit@^3.0.3:
3018 | version "3.0.7"
3019 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/signal-exit/-/signal-exit-3.0.7.tgz#a9a1767f8af84155114eaabd73f99273c8f59ad9"
3020 | integrity sha1-qaF2f4r4QVURTqq9c/mSc8j1mtk=
3021 |
3022 | sisteransi@^1.0.5:
3023 | version "1.0.5"
3024 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/sisteransi/-/sisteransi-1.0.5.tgz#134d681297756437cc05ca01370d3a7a571075ed"
3025 | integrity sha1-E01oEpd1ZDfMBcoBNw06elcQde0=
3026 |
3027 | slash@^3.0.0:
3028 | version "3.0.0"
3029 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634"
3030 | integrity sha1-ZTm+hwwWWtvVJAIg2+Nh8bxNRjQ=
3031 |
3032 | source-map-support@^0.5.6:
3033 | version "0.5.21"
3034 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/source-map-support/-/source-map-support-0.5.21.tgz#04fe7c7f9e1ed2d662233c28cb2b35b9f63f6e4f"
3035 | integrity sha1-BP58f54e0tZiIzwoyys1ufY/bk8=
3036 | dependencies:
3037 | buffer-from "^1.0.0"
3038 | source-map "^0.6.0"
3039 |
3040 | source-map@^0.5.0:
3041 | version "0.5.7"
3042 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/source-map/-/source-map-0.5.7.tgz#8a039d2d1021d22d1ea14c80d8ea468ba2ef3fcc"
3043 | integrity sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=
3044 |
3045 | source-map@^0.6.0, source-map@^0.6.1, source-map@~0.6.1:
3046 | version "0.6.1"
3047 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263"
3048 | integrity sha1-dHIq8y6WFOnCh6jQu95IteLxomM=
3049 |
3050 | source-map@^0.7.3:
3051 | version "0.7.3"
3052 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/source-map/-/source-map-0.7.3.tgz#5302f8169031735226544092e64981f751750383"
3053 | integrity sha1-UwL4FpAxc1ImVECS5kmB91F1A4M=
3054 |
3055 | sprintf-js@~1.0.2:
3056 | version "1.0.3"
3057 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c"
3058 | integrity sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=
3059 |
3060 | stack-utils@^2.0.3:
3061 | version "2.0.5"
3062 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/stack-utils/-/stack-utils-2.0.5.tgz#d25265fca995154659dbbfba3b49254778d2fdd5"
3063 | integrity sha1-0lJl/KmVFUZZ27+6O0klR3jS/dU=
3064 | dependencies:
3065 | escape-string-regexp "^2.0.0"
3066 |
3067 | string-length@^4.0.1:
3068 | version "4.0.2"
3069 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/string-length/-/string-length-4.0.2.tgz#a8a8dc7bd5c1a82b9b3c8b87e125f66871b6e57a"
3070 | integrity sha1-qKjce9XBqCubPIuH4SX2aHG25Xo=
3071 | dependencies:
3072 | char-regex "^1.0.2"
3073 | strip-ansi "^6.0.0"
3074 |
3075 | string-width@^4.1.0, string-width@^4.2.0:
3076 | version "4.2.3"
3077 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/string-width/-/string-width-4.2.3.tgz#269c7117d27b05ad2e536830a8ec895ef9c6d010"
3078 | integrity sha1-JpxxF9J7Ba0uU2gwqOyJXvnG0BA=
3079 | dependencies:
3080 | emoji-regex "^8.0.0"
3081 | is-fullwidth-code-point "^3.0.0"
3082 | strip-ansi "^6.0.1"
3083 |
3084 | strip-ansi@^6.0.0, strip-ansi@^6.0.1:
3085 | version "6.0.1"
3086 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9"
3087 | integrity sha1-nibGPTD1NEPpSJSVshBdN7Z6hdk=
3088 | dependencies:
3089 | ansi-regex "^5.0.1"
3090 |
3091 | strip-bom@^4.0.0:
3092 | version "4.0.0"
3093 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/strip-bom/-/strip-bom-4.0.0.tgz#9c3505c1db45bcedca3d9cf7a16f5c5aa3901878"
3094 | integrity sha1-nDUFwdtFvO3KPZz3oW9cWqOQGHg=
3095 |
3096 | strip-final-newline@^2.0.0:
3097 | version "2.0.0"
3098 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/strip-final-newline/-/strip-final-newline-2.0.0.tgz#89b852fb2fcbe936f6f4b3187afb0a12c1ab58ad"
3099 | integrity sha1-ibhS+y/L6Tb29LMYevsKEsGrWK0=
3100 |
3101 | strip-json-comments@^3.1.1:
3102 | version "3.1.1"
3103 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/strip-json-comments/-/strip-json-comments-3.1.1.tgz#31f1281b3832630434831c310c01cccda8cbe006"
3104 | integrity sha1-MfEoGzgyYwQ0gxwxDAHMzajL4AY=
3105 |
3106 | supports-color@^5.3.0:
3107 | version "5.5.0"
3108 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/supports-color/-/supports-color-5.5.0.tgz#e2e69a44ac8772f78a1ec0b35b689df6530efc8f"
3109 | integrity sha1-4uaaRKyHcveKHsCzW2id9lMO/I8=
3110 | dependencies:
3111 | has-flag "^3.0.0"
3112 |
3113 | supports-color@^7.0.0, supports-color@^7.1.0:
3114 | version "7.2.0"
3115 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/supports-color/-/supports-color-7.2.0.tgz#1b7dcdcb32b8138801b3e478ba6a51caa89648da"
3116 | integrity sha1-G33NyzK4E4gBs+R4umpRyqiWSNo=
3117 | dependencies:
3118 | has-flag "^4.0.0"
3119 |
3120 | supports-color@^8.0.0:
3121 | version "8.1.1"
3122 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/supports-color/-/supports-color-8.1.1.tgz#cd6fc17e28500cff56c1b86c0a7fd4a54a73005c"
3123 | integrity sha1-zW/BfihQDP9WwbhsCn/UpUpzAFw=
3124 | dependencies:
3125 | has-flag "^4.0.0"
3126 |
3127 | supports-hyperlinks@^2.0.0:
3128 | version "2.2.0"
3129 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/supports-hyperlinks/-/supports-hyperlinks-2.2.0.tgz#4f77b42488765891774b70c79babd87f9bd594bb"
3130 | integrity sha1-T3e0JIh2WJF3S3DHm6vYf5vVlLs=
3131 | dependencies:
3132 | has-flag "^4.0.0"
3133 | supports-color "^7.0.0"
3134 |
3135 | supports-preserve-symlinks-flag@^1.0.0:
3136 | version "1.0.0"
3137 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz#6eda4bd344a3c94aea376d4cc31bc77311039e09"
3138 | integrity sha1-btpL00SjyUrqN21MwxvHcxEDngk=
3139 |
3140 | symbol-tree@^3.2.4:
3141 | version "3.2.4"
3142 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/symbol-tree/-/symbol-tree-3.2.4.tgz#430637d248ba77e078883951fb9aa0eed7c63fa2"
3143 | integrity sha1-QwY30ki6d+B4iDlR+5qg7tfGP6I=
3144 |
3145 | terminal-link@^2.0.0:
3146 | version "2.1.1"
3147 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/terminal-link/-/terminal-link-2.1.1.tgz#14a64a27ab3c0df933ea546fba55f2d078edc994"
3148 | integrity sha1-FKZKJ6s8Dfkz6lRvulXy0HjtyZQ=
3149 | dependencies:
3150 | ansi-escapes "^4.2.1"
3151 | supports-hyperlinks "^2.0.0"
3152 |
3153 | test-exclude@^6.0.0:
3154 | version "6.0.0"
3155 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/test-exclude/-/test-exclude-6.0.0.tgz#04a8698661d805ea6fa293b6cb9e63ac044ef15e"
3156 | integrity sha1-BKhphmHYBepvopO2y55jrARO8V4=
3157 | dependencies:
3158 | "@istanbuljs/schema" "^0.1.2"
3159 | glob "^7.1.4"
3160 | minimatch "^3.0.4"
3161 |
3162 | throat@^6.0.1:
3163 | version "6.0.1"
3164 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/throat/-/throat-6.0.1.tgz#d514fedad95740c12c2d7fc70ea863eb51ade375"
3165 | integrity sha1-1RT+2tlXQMEsLX/HDqhj61Gt43U=
3166 |
3167 | tmpl@1.0.5:
3168 | version "1.0.5"
3169 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/tmpl/-/tmpl-1.0.5.tgz#8683e0b902bb9c20c4f726e3c0b69f36518c07cc"
3170 | integrity sha1-hoPguQK7nCDE9ybjwLafNlGMB8w=
3171 |
3172 | to-fast-properties@^2.0.0:
3173 | version "2.0.0"
3174 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/to-fast-properties/-/to-fast-properties-2.0.0.tgz#dc5e698cbd079265bc73e0377681a4e4e83f616e"
3175 | integrity sha1-3F5pjL0HkmW8c+A3doGk5Og/YW4=
3176 |
3177 | to-regex-range@^5.0.1:
3178 | version "5.0.1"
3179 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4"
3180 | integrity sha1-FkjESq58jZiKMmAY7XL1tN0DkuQ=
3181 | dependencies:
3182 | is-number "^7.0.0"
3183 |
3184 | tough-cookie@^4.0.0:
3185 | version "4.0.0"
3186 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/tough-cookie/-/tough-cookie-4.0.0.tgz#d822234eeca882f991f0f908824ad2622ddbece4"
3187 | integrity sha1-2CIjTuyogvmR8PkIgkrSYi3b7OQ=
3188 | dependencies:
3189 | psl "^1.1.33"
3190 | punycode "^2.1.1"
3191 | universalify "^0.1.2"
3192 |
3193 | tr46@^2.1.0:
3194 | version "2.1.0"
3195 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/tr46/-/tr46-2.1.0.tgz#fa87aa81ca5d5941da8cbf1f9b749dc969a4e240"
3196 | integrity sha1-+oeqgcpdWUHajL8fm3SdyWmk4kA=
3197 | dependencies:
3198 | punycode "^2.1.1"
3199 |
3200 | tslib@^2.3.1:
3201 | version "2.3.1"
3202 | resolved "https://registry.npmmirror.com/tslib/-/tslib-2.3.1.tgz#e8a335add5ceae51aa261d32a490158ef042ef01"
3203 | integrity sha512-77EbyPPpMz+FRFRuAFlWMtmgUWGe9UOG2Z25NqCwiIjRhOf5iKGuzSe5P2w1laq+FkRy4p+PCuVkJSGkzTEKVw==
3204 |
3205 | type-check@~0.3.2:
3206 | version "0.3.2"
3207 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/type-check/-/type-check-0.3.2.tgz#5884cab512cf1d355e3fb784f30804b2b520db72"
3208 | integrity sha1-WITKtRLPHTVeP7eE8wgEsrUg23I=
3209 | dependencies:
3210 | prelude-ls "~1.1.2"
3211 |
3212 | type-detect@4.0.8:
3213 | version "4.0.8"
3214 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/type-detect/-/type-detect-4.0.8.tgz#7646fb5f18871cfbb7749e69bd39a6388eb7450c"
3215 | integrity sha1-dkb7XxiHHPu3dJ5pvTmmOI63RQw=
3216 |
3217 | type-fest@^0.21.3:
3218 | version "0.21.3"
3219 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/type-fest/-/type-fest-0.21.3.tgz#d260a24b0198436e133fa26a524a6d65fa3b2e37"
3220 | integrity sha1-0mCiSwGYQ24TP6JqUkptZfo7Ljc=
3221 |
3222 | typedarray-to-buffer@^3.1.5:
3223 | version "3.1.5"
3224 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/typedarray-to-buffer/-/typedarray-to-buffer-3.1.5.tgz#a97ee7a9ff42691b9f783ff1bc5112fe3fca9080"
3225 | integrity sha1-qX7nqf9CaRufeD/xvFES/j/KkIA=
3226 | dependencies:
3227 | is-typedarray "^1.0.0"
3228 |
3229 | typescript@^4.6.3:
3230 | version "4.6.3"
3231 | resolved "https://registry.npmmirror.com/typescript/-/typescript-4.6.3.tgz#eefeafa6afdd31d725584c67a0eaba80f6fc6c6c"
3232 | integrity sha512-yNIatDa5iaofVozS/uQJEl3JRWLKKGJKh6Yaiv0GLGSuhpFJe7P3SbHZ8/yjAHRQwKRoA6YZqlfjXWmVzoVSMw==
3233 |
3234 | unicode-canonical-property-names-ecmascript@^2.0.0:
3235 | version "2.0.0"
3236 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/unicode-canonical-property-names-ecmascript/-/unicode-canonical-property-names-ecmascript-2.0.0.tgz#301acdc525631670d39f6146e0e77ff6bbdebddc"
3237 | integrity sha1-MBrNxSVjFnDTn2FG4Od/9rvevdw=
3238 |
3239 | unicode-match-property-ecmascript@^2.0.0:
3240 | version "2.0.0"
3241 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/unicode-match-property-ecmascript/-/unicode-match-property-ecmascript-2.0.0.tgz#54fd16e0ecb167cf04cf1f756bdcc92eba7976c3"
3242 | integrity sha1-VP0W4OyxZ88Ezx91a9zJLrp5dsM=
3243 | dependencies:
3244 | unicode-canonical-property-names-ecmascript "^2.0.0"
3245 | unicode-property-aliases-ecmascript "^2.0.0"
3246 |
3247 | unicode-match-property-value-ecmascript@^2.0.0:
3248 | version "2.0.0"
3249 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/unicode-match-property-value-ecmascript/-/unicode-match-property-value-ecmascript-2.0.0.tgz#1a01aa57247c14c568b89775a54938788189a714"
3250 | integrity sha1-GgGqVyR8FMVouJd1pUk4eIGJpxQ=
3251 |
3252 | unicode-property-aliases-ecmascript@^2.0.0:
3253 | version "2.0.0"
3254 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/unicode-property-aliases-ecmascript/-/unicode-property-aliases-ecmascript-2.0.0.tgz#0a36cb9a585c4f6abd51ad1deddb285c165297c8"
3255 | integrity sha1-CjbLmlhcT2q9Ua0d7dsoXBZSl8g=
3256 |
3257 | universalify@^0.1.2:
3258 | version "0.1.2"
3259 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/universalify/-/universalify-0.1.2.tgz#b646f69be3942dabcecc9d6639c80dc105efaa66"
3260 | integrity sha1-tkb2m+OULavOzJ1mOcgNwQXvqmY=
3261 |
3262 | v8-to-istanbul@^8.1.0:
3263 | version "8.1.1"
3264 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/v8-to-istanbul/-/v8-to-istanbul-8.1.1.tgz#77b752fd3975e31bbcef938f85e9bd1c7a8d60ed"
3265 | integrity sha1-d7dS/Tl14xu875OPhem9HHqNYO0=
3266 | dependencies:
3267 | "@types/istanbul-lib-coverage" "^2.0.1"
3268 | convert-source-map "^1.6.0"
3269 | source-map "^0.7.3"
3270 |
3271 | w3c-hr-time@^1.0.2:
3272 | version "1.0.2"
3273 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/w3c-hr-time/-/w3c-hr-time-1.0.2.tgz#0a89cdf5cc15822df9c360543676963e0cc308cd"
3274 | integrity sha1-ConN9cwVgi35w2BUNnaWPgzDCM0=
3275 | dependencies:
3276 | browser-process-hrtime "^1.0.0"
3277 |
3278 | w3c-xmlserializer@^2.0.0:
3279 | version "2.0.0"
3280 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/w3c-xmlserializer/-/w3c-xmlserializer-2.0.0.tgz#3e7104a05b75146cc60f564380b7f683acf1020a"
3281 | integrity sha1-PnEEoFt1FGzGD1ZDgLf2g6zxAgo=
3282 | dependencies:
3283 | xml-name-validator "^3.0.0"
3284 |
3285 | walker@^1.0.7:
3286 | version "1.0.8"
3287 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/walker/-/walker-1.0.8.tgz#bd498db477afe573dc04185f011d3ab8a8d7653f"
3288 | integrity sha1-vUmNtHev5XPcBBhfAR06uKjXZT8=
3289 | dependencies:
3290 | makeerror "1.0.12"
3291 |
3292 | webidl-conversions@^5.0.0:
3293 | version "5.0.0"
3294 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/webidl-conversions/-/webidl-conversions-5.0.0.tgz#ae59c8a00b121543a2acc65c0434f57b0fc11aff"
3295 | integrity sha1-rlnIoAsSFUOirMZcBDT1ew/BGv8=
3296 |
3297 | webidl-conversions@^6.1.0:
3298 | version "6.1.0"
3299 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/webidl-conversions/-/webidl-conversions-6.1.0.tgz#9111b4d7ea80acd40f5270d666621afa78b69514"
3300 | integrity sha1-kRG01+qArNQPUnDWZmIa+ni2lRQ=
3301 |
3302 | whatwg-encoding@^1.0.5:
3303 | version "1.0.5"
3304 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/whatwg-encoding/-/whatwg-encoding-1.0.5.tgz#5abacf777c32166a51d085d6b4f3e7d27113ddb0"
3305 | integrity sha1-WrrPd3wyFmpR0IXWtPPn0nET3bA=
3306 | dependencies:
3307 | iconv-lite "0.4.24"
3308 |
3309 | whatwg-mimetype@^2.3.0:
3310 | version "2.3.0"
3311 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/whatwg-mimetype/-/whatwg-mimetype-2.3.0.tgz#3d4b1e0312d2079879f826aff18dbeeca5960fbf"
3312 | integrity sha1-PUseAxLSB5h5+Cav8Y2+7KWWD78=
3313 |
3314 | whatwg-url@^8.0.0, whatwg-url@^8.5.0:
3315 | version "8.7.0"
3316 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/whatwg-url/-/whatwg-url-8.7.0.tgz#656a78e510ff8f3937bc0bcbe9f5c0ac35941b77"
3317 | integrity sha1-ZWp45RD/jzk3vAvL6fXArDWUG3c=
3318 | dependencies:
3319 | lodash "^4.7.0"
3320 | tr46 "^2.1.0"
3321 | webidl-conversions "^6.1.0"
3322 |
3323 | which@^2.0.1:
3324 | version "2.0.2"
3325 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/which/-/which-2.0.2.tgz#7c6a8dd0a636a0327e10b59c9286eee93f3f51b1"
3326 | integrity sha1-fGqN0KY2oDJ+ELWckobu6T8/UbE=
3327 | dependencies:
3328 | isexe "^2.0.0"
3329 |
3330 | word-wrap@~1.2.3:
3331 | version "1.2.3"
3332 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/word-wrap/-/word-wrap-1.2.3.tgz#610636f6b1f703891bd34771ccb17fb93b47079c"
3333 | integrity sha1-YQY29rH3A4kb00dxzLF/uTtHB5w=
3334 |
3335 | wrap-ansi@^7.0.0:
3336 | version "7.0.0"
3337 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/wrap-ansi/-/wrap-ansi-7.0.0.tgz#67e145cff510a6a6984bdf1152911d69d2eb9e43"
3338 | integrity sha1-Z+FFz/UQpqaYS98RUpEdadLrnkM=
3339 | dependencies:
3340 | ansi-styles "^4.0.0"
3341 | string-width "^4.1.0"
3342 | strip-ansi "^6.0.0"
3343 |
3344 | wrappy@1:
3345 | version "1.0.2"
3346 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
3347 | integrity sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=
3348 |
3349 | write-file-atomic@^3.0.0:
3350 | version "3.0.3"
3351 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/write-file-atomic/-/write-file-atomic-3.0.3.tgz#56bd5c5a5c70481cd19c571bd39ab965a5de56e8"
3352 | integrity sha1-Vr1cWlxwSBzRnFcb05q5ZaXeVug=
3353 | dependencies:
3354 | imurmurhash "^0.1.4"
3355 | is-typedarray "^1.0.0"
3356 | signal-exit "^3.0.2"
3357 | typedarray-to-buffer "^3.1.5"
3358 |
3359 | ws@^7.4.6:
3360 | version "7.5.7"
3361 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/ws/-/ws-7.5.7.tgz#9e0ac77ee50af70d58326ecff7e85eb3fa375e67"
3362 | integrity sha1-ngrHfuUK9w1YMm7P9+hes/o3Xmc=
3363 |
3364 | xml-name-validator@^3.0.0:
3365 | version "3.0.0"
3366 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/xml-name-validator/-/xml-name-validator-3.0.0.tgz#6ae73e06de4d8c6e47f9fb181f78d648ad457c6a"
3367 | integrity sha1-auc+Bt5NjG5H+fsYH3jWSK1FfGo=
3368 |
3369 | xmlchars@^2.2.0:
3370 | version "2.2.0"
3371 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/xmlchars/-/xmlchars-2.2.0.tgz#060fe1bcb7f9c76fe2a17db86a9bc3ab894210cb"
3372 | integrity sha1-Bg/hvLf5x2/ioX24apvDq4lCEMs=
3373 |
3374 | y18n@^5.0.5:
3375 | version "5.0.8"
3376 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/y18n/-/y18n-5.0.8.tgz#7f4934d0f7ca8c56f95314939ddcd2dd91ce1d55"
3377 | integrity sha1-f0k00PfKjFb5UxSTndzS3ZHOHVU=
3378 |
3379 | yallist@^4.0.0:
3380 | version "4.0.0"
3381 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/yallist/-/yallist-4.0.0.tgz#9bb92790d9c0effec63be73519e11a35019a3a72"
3382 | integrity sha1-m7knkNnA7/7GO+c1GeEaNQGaOnI=
3383 |
3384 | yargs-parser@^20.2.2:
3385 | version "20.2.9"
3386 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/yargs-parser/-/yargs-parser-20.2.9.tgz#2eb7dc3b0289718fc295f362753845c41a0c94ee"
3387 | integrity sha1-LrfcOwKJcY/ClfNidThFxBoMlO4=
3388 |
3389 | yargs@^16.2.0:
3390 | version "16.2.0"
3391 | resolved "https://artifactory.longhu.net/api/npm/dt-npm-public/yargs/-/yargs-16.2.0.tgz#1c82bf0f6b6a66eafce7ef30e376f49a12477f66"
3392 | integrity sha1-HIK/D2tqZur85+8w43b0mhJHf2Y=
3393 | dependencies:
3394 | cliui "^7.0.2"
3395 | escalade "^3.1.1"
3396 | get-caller-file "^2.0.5"
3397 | require-directory "^2.1.1"
3398 | string-width "^4.2.0"
3399 | y18n "^5.0.5"
3400 | yargs-parser "^20.2.2"
3401 |
--------------------------------------------------------------------------------