diff --git a/src/pages/index/index.vue b/src/pages/index/index.vue index 69be974..436eb9a 100644 --- a/src/pages/index/index.vue +++ b/src/pages/index/index.vue @@ -18,6 +18,10 @@ const title = ref('Hello'); const url = import.meta.env.VITE_BASE_URL; console.log('url', url); + type Data = { + token: string; + }; + const jumLogin = () => { console.log('/pages/login/index'); @@ -26,21 +30,18 @@ }); }; - import { request } from '@/utils/http/index'; + import { defHttp } from '@/utils/http/index'; const form = reactive({ email: 'catch@admin.com', password: 'catchadmin', }); const loginType = ref(''); const submit = () => { - request - .post({ - url: '/login', - data: form, - }) - .then((res: any) => { + defHttp + .post('/login', form) + .then((res) => { loginType.value = '登录成功'; - console.log(res.message); + console.log(res.data.token); }) .catch((err: any) => { loginType.value = '登录失败'; diff --git a/src/types/http.d.ts b/src/types/http.d.ts index 6c013ea..e59afc8 100644 --- a/src/types/http.d.ts +++ b/src/types/http.d.ts @@ -1,12 +1,28 @@ type AnyObject = Record; +export type HttpResponse = + | HttpSuccess + | HttpError + | HttpDownloadResponse + | HttpUploadResponse; type HttpPromise = Promise>; type Tasks = UniApp.RequestTask | UniApp.UploadTask | UniApp.DownloadTask; +type Method = + | 'GET' + | 'POST' + | 'PUT' + | 'DELETE' + | 'CONNECT' + | 'HEAD' + | 'OPTIONS' + | 'TRACE' + | 'UPLOAD' + | 'DOWNLOAD'; export interface RequestTask { abort: () => void; offHeadersReceived: () => void; onHeadersReceived: () => void; } -export interface HttpRequestConfig { +export interface HttpRequestConfig extends Record { /** 请求基地址 */ baseURL?: string; /** 请求服务器接口地址 */ @@ -32,20 +48,12 @@ export interface HttpRequestConfig { /** 要上传的文件对象,仅H5(2.6.15+)支持 */ file?: File; + /** 文要上传的件类型, 支付宝小程序,且必填 **/ + fileType?: string; /** 请求头信息 */ header?: AnyObject; /** 请求方式 */ - method?: - | 'GET' - | 'POST' - | 'PUT' - | 'DELETE' - | 'CONNECT' - | 'HEAD' - | 'OPTIONS' - | 'TRACE' - | 'UPLOAD' - | 'DOWNLOAD'; + method?: Method; /** 如果设为 json,会尝试对返回的数据做一次 JSON.parse */ dataType?: string; /** 设置响应的数据类型,支付宝小程序不支持 */ @@ -66,7 +74,7 @@ export interface HttpRequestConfig { /** 全局自定义验证器 */ validateStatus?: (statusCode: number) => boolean | void; } -export interface HttpResponse { +export interface HttpSuccess { config: HttpRequestConfig; statusCode: number; cookies: Array; @@ -80,14 +88,14 @@ export interface HttpUploadResponse { data: T; errMsg: string; } -export interface HttpDownloadResponse extends HttpResponse { +export interface HttpDownloadResponse extends HttpSuccess { tempFilePath: string; } -export interface HttpError { +export interface HttpError { config: HttpRequestConfig; statusCode?: number; cookies?: Array; - data?: any; + data?: T; errMsg: string; header?: AnyObject; } @@ -97,11 +105,15 @@ export interface HttpInterceptorManager { onRejected?: (config: E) => Promise | E, ): void; eject(id: number): void; + forEach(h: any): void; } +export type InterceptorsRequest = HttpInterceptorManager; +export type InterceptorsResponse = HttpInterceptorManager; + export interface Interceptors { - request: HttpInterceptorManager; - response: HttpInterceptorManager; + request: InterceptorsRequest; + response: InterceptorsResponse; } export abstract class HttpRequestAbstract { diff --git a/src/utils/http/adapters/index.ts b/src/utils/http/adapters/index.ts index f3822bf..fde2272 100644 --- a/src/utils/http/adapters/index.ts +++ b/src/utils/http/adapters/index.ts @@ -2,7 +2,8 @@ import buildURL from '../helpers/buildURL'; import buildFullPath from '../core/buildFullPath'; import settle from '../core/settle'; import { isUndefined } from '../utils'; -import { HttpRequestConfig } from '@/types/http'; +import { HttpRequestConfig, HttpResponse } from '@/types/http'; +import { cloneDeep } from 'lodash-es'; /** * 返回可选值存在的配置 @@ -10,8 +11,8 @@ import { HttpRequestConfig } from '@/types/http'; * @param {Object} config2 - 配置 * @return {{}} - 存在的配置项 */ -const mergeKeys = (keys, config2) => { - let config = {}; +const mergeKeys = (keys: string[], config2: Record) => { + const config: Record = {}; keys.forEach((prop) => { if (!isUndefined(config2[prop])) { config[prop] = config2[prop]; @@ -19,30 +20,55 @@ const mergeKeys = (keys, config2) => { }); return config; }; -export default (config: HttpRequestConfig) => { - return new Promise((resolve, reject) => { - let fullPath = buildURL(buildFullPath(config.baseURL, config.url || ''), config.params); + +export default (config: HttpRequestConfig) => { + return new Promise((resolve, reject) => { + const fullPath = buildURL(buildFullPath(config.baseURL, config.url || ''), config.params); const _config: UniApp.RequestOptions = { url: fullPath, header: config.header, - complete: (response) => { - config.fullPath = fullPath; - response.config = config; + success: (res) => { try { // 对可能字符串不是json 的情况容错 - if (typeof response.data === 'string') { - response.data = JSON.parse(response.data); + if (typeof res.data === 'string') { + res.data = JSON.parse(res.data); } - // eslint-disable-next-line no-empty } catch (e) {} + const cloneConfig = cloneDeep(config); + cloneConfig.fullPath = fullPath; + const response = { + ...res, + config: cloneConfig, + } as HttpResponse; settle(resolve, reject, response); }, + fail: (err) => { + const cloneConfig = cloneDeep(config); + cloneConfig.fullPath = fullPath; + const response = { + ...err, + config: cloneConfig, + } as HttpResponse; + settle(resolve, reject, response); + }, + // complete: (response) => { + // config.fullPath = fullPath; + // response.config = config; + // try { + // // 对可能字符串不是json 的情况容错 + // if (typeof response.data === 'string') { + // response.data = JSON.parse(response.data); + // } + // // eslint-disable-next-line no-empty + // } catch (e) {} + // settle(resolve, reject, response); + // }, }; let requestTask; if (config.method === 'UPLOAD') { delete _config.header['content-type']; delete _config.header['Content-Type']; - let otherConfig = { + const otherConfig = { // #ifdef MP-ALIPAY fileType: config.fileType, // #endif @@ -61,18 +87,20 @@ export default (config: HttpRequestConfig) => { // #endif 'formData', ]; - requestTask = uni.uploadFile({ + const uploadFileOption = { ..._config, ...otherConfig, ...mergeKeys(optionalKeys, config), - }); + } as UniApp.UploadFileOption; + requestTask = uni.uploadFile(uploadFileOption); } else if (config.method === 'DOWNLOAD') { // #ifdef H5 || APP-PLUS if (!isUndefined(config['timeout'])) { _config['timeout'] = config['timeout']; } // #endif - requestTask = uni.downloadFile(_config); + const downloadFileOption = _config as UniApp.DownloadFileOption; + requestTask = uni.downloadFile(downloadFileOption); } else { const optionalKeys = [ 'data', diff --git a/src/utils/http/core/InterceptorManager.ts b/src/utils/http/core/InterceptorManager.ts index a559ce5..d9ba0fc 100644 --- a/src/utils/http/core/InterceptorManager.ts +++ b/src/utils/http/core/InterceptorManager.ts @@ -1,7 +1,5 @@ 'use strict'; -export class InterceptorManager1 {} - function InterceptorManager(): void { // @ts-ignore this.handlers = []; @@ -28,7 +26,7 @@ InterceptorManager.prototype.use = function use(fulfilled: any, rejected: any) { * * @param {Number} id The ID that was returned by `use` */ -InterceptorManager.prototype.eject = function eject(id) { +InterceptorManager.prototype.eject = function eject(id: number) { if (this.handlers[id]) { this.handlers[id] = null; } @@ -42,8 +40,8 @@ InterceptorManager.prototype.eject = function eject(id) { * * @param {Function} fn The function to call for each interceptor */ -InterceptorManager.prototype.forEach = function forEach(fn) { - this.handlers.forEach((h) => { +InterceptorManager.prototype.forEach = function forEach(fn: (h: any) => void) { + this.handlers.forEach((h: any) => { if (h !== null) { fn(h); } diff --git a/src/utils/http/core/Request.ts b/src/utils/http/core/Request.ts index 4adde65..9f91562 100644 --- a/src/utils/http/core/Request.ts +++ b/src/utils/http/core/Request.ts @@ -9,6 +9,7 @@ * github: https://github.com/lei-mu/luch-request * DCloud: http://ext.dcloud.net.cn/plugin?id=392 * HBuilderX: beat-3.0.4 alpha-3.0.4 + * 2022-06-09 改写成ts */ import dispatchRequest from './dispatchRequest'; @@ -17,11 +18,11 @@ import mergeConfig from './mergeConfig'; import defaults from './defaults'; import { cloneDeep } from 'lodash-es'; import { isPlainObject } from '../utils'; -import { HttpRequestConfig, Interceptors } from '@/types/http'; +import { HttpRequestConfig, HttpResponse, Interceptors } from '@/types/http'; export default class Request { - private readonly config: HttpRequestConfig | undefined; - private readonly interceptors: Interceptors; + private config: HttpRequestConfig; + interceptors: Interceptors; /** * @param {Object} arg - 全局配置 @@ -44,7 +45,9 @@ export default class Request { } this.config = cloneDeep({ ...defaults, ...arg }); this.interceptors = { + // @ts-ignore request: new InterceptorManager(), + // @ts-ignore response: new InterceptorManager(), }; } @@ -57,21 +60,24 @@ export default class Request { this.config = f(this.config); } - middleware(config) { + middleware(config: HttpRequestConfig) { config = mergeConfig(this.config, config); - let chain = [dispatchRequest, undefined]; - let promise = Promise.resolve(config); + const chain = [dispatchRequest, undefined]; + const response: HttpResponse = { + config: config, + } as HttpResponse; + let promise = Promise.resolve(response); - this.interceptors.request.forEach(function unshiftRequestInterceptors(interceptor) { + this.interceptors.request.forEach(function unshiftRequestInterceptors(interceptor: any) { chain.unshift(interceptor.fulfilled, interceptor.rejected); }); - this.interceptors.response.forEach(function pushResponseInterceptors(interceptor) { + this.interceptors.response.forEach(function pushResponseInterceptors(interceptor: any) { chain.push(interceptor.fulfilled, interceptor.rejected); }); while (chain.length) { - promise = promise.then(chain.shift(), chain.shift()); + promise = promise.then>(chain.shift(), chain.shift()); } return promise; @@ -88,20 +94,20 @@ export default class Request { * @prop {Object} [options.method = config.method] - 请求方法 * @returns {Promise} */ - request(config = {}) { - return this.middleware(config); + request(config = {}) { + return this.middleware(config); } - get(url, options = {}) { - return this.middleware({ + get(url: string, options = {}) { + return this.middleware({ url, method: 'GET', ...options, }); } - post(url, data, options = {}) { - return this.middleware({ + post(url: string, data: AnyObject, options: Partial = {}) { + return this.middleware({ url, data, method: 'POST', @@ -110,87 +116,81 @@ export default class Request { } // #ifndef MP-ALIPAY - put(url, data, options = {}) { - return this.middleware({ + put(url: string, data: AnyObject, options: Partial = {}) { + return this.middleware({ url, data, method: 'PUT', ...options, }); } - // #endif // #ifdef APP-PLUS || H5 || MP-WEIXIN || MP-BAIDU - delete(url, data, options = {}) { - return this.middleware({ + delete(url: string, data: AnyObject, options: Partial = {}) { + return this.middleware({ url, data, method: 'DELETE', ...options, }); } - // #endif // #ifdef H5 || MP-WEIXIN - connect(url, data, options = {}) { - return this.middleware({ + connect(url: string, data: AnyObject, options: Partial = {}) { + return this.middleware({ url, data, method: 'CONNECT', ...options, }); } - // #endif // #ifdef H5 || MP-WEIXIN || MP-BAIDU - head(url, data, options = {}) { - return this.middleware({ + head(url: string, data: AnyObject, options: Partial = {}) { + return this.middleware({ url, data, method: 'HEAD', ...options, }); } - // #endif // #ifdef APP-PLUS || H5 || MP-WEIXIN || MP-BAIDU - options(url, data, options = {}) { - return this.middleware({ + options(url: string, data: AnyObject, options: Partial = {}) { + return this.middleware({ url, data, method: 'OPTIONS', ...options, }); } - // #endif // #ifdef H5 || MP-WEIXIN - trace(url, data, options = {}) { - return this.middleware({ + trace(url: string, data: AnyObject, options: Partial = {}) { + return this.middleware({ url, data, method: 'TRACE', ...options, }); } - // #endif - upload(url, config = {}) { + upload(url: string, config: Partial = {}) { config.url = url; config.method = 'UPLOAD'; - return this.middleware(config); + return this.middleware(config); } - download(url, config = {}) { + download(url: string, config: Partial = {}) { config.url = url; config.method = 'DOWNLOAD'; - return this.middleware(config); + return this.middleware(config); } } diff --git a/src/utils/http/core/dispatchRequest.ts b/src/utils/http/core/dispatchRequest.ts index 81abd04..013a2fd 100644 --- a/src/utils/http/core/dispatchRequest.ts +++ b/src/utils/http/core/dispatchRequest.ts @@ -1,6 +1,6 @@ import adapter from '../adapters'; import { HttpRequestConfig } from '@/types/http'; -export default (config: HttpRequestConfig) => { - return adapter(config); +export default (config: HttpRequestConfig) => { + return adapter(config.config); }; diff --git a/src/utils/http/core/mergeConfig.ts b/src/utils/http/core/mergeConfig.ts index f62c35e..a909380 100644 --- a/src/utils/http/core/mergeConfig.ts +++ b/src/utils/http/core/mergeConfig.ts @@ -1,4 +1,5 @@ import { deepMerge, isUndefined } from '../utils'; +import { HttpRequestConfig } from '@/types/http'; /** * 合并局部配置优先的配置,如果局部有该配置项则用局部,如果全局有该配置项则用全局 @@ -7,8 +8,12 @@ import { deepMerge, isUndefined } from '../utils'; * @param {Object} config2 - 局部配置 * @return {{}} */ -const mergeKeys = (keys, globalsConfig, config2) => { - let config = {}; +const mergeKeys = ( + keys: string[], + globalsConfig: HttpRequestConfig, + config2: Partial, +) => { + const config: Partial = {}; keys.forEach((prop) => { if (!isUndefined(config2[prop])) { config[prop] = config2[prop]; @@ -24,14 +29,15 @@ const mergeKeys = (keys, globalsConfig, config2) => { * @param config2 - 当前的局部配置 * @return - 合并后的配置 */ -export default (globalsConfig, config2 = {}) => { +export default (globalsConfig: HttpRequestConfig, config2: Partial = {}) => { const method = config2.method || globalsConfig.method || 'GET'; - let config = { + let config: Partial = { baseURL: globalsConfig.baseURL || '', method: method, url: config2.url || '', params: config2.params || {}, custom: { ...(globalsConfig.custom || {}), ...(config2.custom || {}) }, + // @ts-ignore header: deepMerge(globalsConfig.header || {}, config2.header || {}), }; const defaultToConfig2Keys = ['getTask', 'validateStatus']; @@ -47,8 +53,10 @@ export default (globalsConfig, config2 = {}) => { } // #endif } else if (method === 'UPLOAD') { - delete config.header['content-type']; - delete config.header['Content-Type']; + if (config.header) { + delete config.header['content-type']; + delete config.header['Content-Type']; + } const uploadKeys = [ // #ifdef APP-PLUS || H5 'files', diff --git a/src/utils/http/core/settle.ts b/src/utils/http/core/settle.ts index cb8d222..cb1e81b 100644 --- a/src/utils/http/core/settle.ts +++ b/src/utils/http/core/settle.ts @@ -5,7 +5,9 @@ * @param {Function} reject A function that rejects the promise. * @param {object} response The response. */ -export default function settle(resolve, reject, response) { +import { HttpResponse } from '@/types/http'; + +export default function settle(resolve: any, reject: any, response: HttpResponse) { const validateStatus = response.config.validateStatus; const status = response.statusCode; if (status && (!validateStatus || validateStatus(status))) { diff --git a/src/utils/http/helpers/buildURL.ts b/src/utils/http/helpers/buildURL.ts index 971cd7b..5e612ad 100644 --- a/src/utils/http/helpers/buildURL.ts +++ b/src/utils/http/helpers/buildURL.ts @@ -2,7 +2,7 @@ import * as utils from '../utils'; -function encode(val) { +function encode(val: string | number | boolean) { return encodeURIComponent(val) .replace(/%40/gi, '@') .replace(/%3A/gi, ':') @@ -31,7 +31,7 @@ export default function buildURL(url: string, params?: any) { } else { const parts: string[] = []; - utils.forEach(params, function serialize(val: string, key: string) { + utils.forEach(params, function serialize(val: any, key: string) { if (val === null || typeof val === 'undefined') { return; } @@ -42,7 +42,7 @@ export default function buildURL(url: string, params?: any) { val = [val]; } - utils.forEach(val, function parseValue(v) { + utils.forEach(val, function parseValue(v: any) { if (utils.isDate(v)) { v = v.toISOString(); } else if (utils.isObject(v)) { diff --git a/src/utils/http/index.ts b/src/utils/http/index.ts index 18f9624..cc0b072 100644 --- a/src/utils/http/index.ts +++ b/src/utils/http/index.ts @@ -63,6 +63,8 @@ defHttp.interceptors.response.use( // if (response.data.code !== 200) { // 服务端返回的状态码不等于200,则reject() // return Promise.reject(response) // } + console.log('响应===', response); + return response; }, (response) => { diff --git a/src/utils/http/utils.ts b/src/utils/http/utils.ts index 773d92a..d19f324 100644 --- a/src/utils/http/utils.ts +++ b/src/utils/http/utils.ts @@ -1,7 +1,5 @@ 'use strict'; -import { cloneDeep, values } from 'lodash-es'; - // utils is a library of generic helper functions non-specific to axios const toString = Object.prototype.toString; @@ -80,7 +78,7 @@ export function forEach(obj: any, fn: any) { }); } else { // Iterate over object keys - for (let key in obj) { + for (const key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { fn.call(null, obj[key], key, obj); } @@ -102,7 +100,7 @@ export function isBoolean(val: unknown): val is boolean { * @param {any} obj - 检测的对象 * @returns {boolean} */ -export function isPlainObject(obj: object): boolean { +export function isPlainObject(obj: unknown): boolean { return Object.prototype.toString.call(obj) === '[object Object]'; } @@ -116,7 +114,7 @@ export function isPlainObject(obj: object): boolean { */ export function deepMerge(/* obj1, obj2, obj3, ... */) { - let result: any = {}; + const result: any = {}; function assignValue(val: any, key: any) { if (typeof result[key] === 'object' && typeof val === 'object') { // @ts-ignore diff --git a/src/utils/http/utils/clone.ts b/src/utils/http/utils/clone.ts deleted file mode 100644 index ee913c8..0000000 --- a/src/utils/http/utils/clone.ts +++ /dev/null @@ -1,262 +0,0 @@ -/* eslint-disable */ -import { cloneDeep } from 'lodash-es'; - -var clone = (function () { - 'use strict'; - - function _instanceof(obj, type) { - return type != null && obj instanceof type; - } - - var nativeMap; - try { - nativeMap = Map; - } catch (_) { - // maybe a reference error because no `Map`. Give it a dummy value that no - // value will ever be an instanceof. - nativeMap = function () {}; - } - - var nativeSet; - try { - nativeSet = Set; - } catch (_) { - nativeSet = function () {}; - } - - var nativePromise; - try { - nativePromise = Promise; - } catch (_) { - nativePromise = function () {}; - } - - /** - * Clones (copies) an Object using deep copying. - * - * This function supports circular references by default, but if you are certain - * there are no circular references in your object, you can save some CPU time - * by calling clone(obj, false). - * - * Caution: if `circular` is false and `parent` contains circular references, - * your program may enter an infinite loop and crash. - * - * @param `parent` - the object to be cloned - * @param `circular` - set to true if the object to be cloned may contain - * circular references. (optional - true by default) - * @param `depth` - set to a number if the object is only to be cloned to - * a particular depth. (optional - defaults to Infinity) - * @param `prototype` - sets the prototype to be used when cloning an object. - * (optional - defaults to parent prototype). - * @param `includeNonEnumerable` - set to true if the non-enumerable properties - * should be cloned as well. Non-enumerable properties on the prototype - * chain will be ignored. (optional - false by default) - */ - function clone(parent, circular, depth, prototype, includeNonEnumerable) { - if (typeof circular === 'object') { - depth = circular.depth; - prototype = circular.prototype; - includeNonEnumerable = circular.includeNonEnumerable; - circular = circular.circular; - } - // maintain two arrays for circular references, where corresponding parents - // and children have the same index - var allParents = []; - var allChildren = []; - - var useBuffer = typeof Buffer != 'undefined'; - - if (typeof circular == 'undefined') circular = true; - - if (typeof depth == 'undefined') depth = Infinity; - - // recurse this function so we don't reset allParents and allChildren - function _clone(parent, depth) { - // cloning null always returns null - if (parent === null) return null; - - if (depth === 0) return parent; - - var child; - var proto; - if (typeof parent != 'object') { - return parent; - } - - if (_instanceof(parent, nativeMap)) { - child = new nativeMap(); - } else if (_instanceof(parent, nativeSet)) { - child = new nativeSet(); - } else if (_instanceof(parent, nativePromise)) { - child = new nativePromise(function (resolve, reject) { - parent.then( - function (value) { - resolve(_clone(value, depth - 1)); - }, - function (err) { - reject(_clone(err, depth - 1)); - }, - ); - }); - } else if (clone.__isArray(parent)) { - child = []; - } else if (clone.__isRegExp(parent)) { - child = new RegExp(parent.source, __getRegExpFlags(parent)); - if (parent.lastIndex) child.lastIndex = parent.lastIndex; - } else if (clone.__isDate(parent)) { - child = new Date(parent.getTime()); - } else if (useBuffer && Buffer.isBuffer(parent)) { - if (Buffer.from) { - // Node.js >= 5.10.0 - child = Buffer.from(parent); - } else { - // Older Node.js versions - child = new Buffer(parent.length); - parent.copy(child); - } - return child; - } else if (_instanceof(parent, Error)) { - child = Object.create(parent); - } else { - if (typeof prototype == 'undefined') { - proto = Object.getPrototypeOf(parent); - child = Object.create(proto); - } else { - child = Object.create(prototype); - proto = prototype; - } - } - - if (circular) { - var index = allParents.indexOf(parent); - - if (index != -1) { - return allChildren[index]; - } - allParents.push(parent); - allChildren.push(child); - } - - if (_instanceof(parent, nativeMap)) { - parent.forEach(function (value, key) { - var keyChild = _clone(key, depth - 1); - var valueChild = _clone(value, depth - 1); - child.set(keyChild, valueChild); - }); - } - if (_instanceof(parent, nativeSet)) { - parent.forEach(function (value) { - var entryChild = _clone(value, depth - 1); - child.add(entryChild); - }); - } - - for (var i in parent) { - var attrs = Object.getOwnPropertyDescriptor(parent, i); - if (attrs) { - child[i] = _clone(parent[i], depth - 1); - } - - try { - var objProperty = Object.getOwnPropertyDescriptor(parent, i); - if (objProperty.set === 'undefined') { - // no setter defined. Skip cloning this property - continue; - } - child[i] = _clone(parent[i], depth - 1); - } catch (e) { - if (e instanceof TypeError) { - // when in strict mode, TypeError will be thrown if child[i] property only has a getter - // we can't do anything about this, other than inform the user that this property cannot be set. - continue; - } else if (e instanceof ReferenceError) { - //this may happen in non strict mode - continue; - } - } - } - - if (Object.getOwnPropertySymbols) { - var symbols = Object.getOwnPropertySymbols(parent); - for (var i = 0; i < symbols.length; i++) { - // Don't need to worry about cloning a symbol because it is a primitive, - // like a number or string. - var symbol = symbols[i]; - var descriptor = Object.getOwnPropertyDescriptor(parent, symbol); - if (descriptor && !descriptor.enumerable && !includeNonEnumerable) { - continue; - } - child[symbol] = _clone(parent[symbol], depth - 1); - Object.defineProperty(child, symbol, descriptor); - } - } - - if (includeNonEnumerable) { - var allPropertyNames = Object.getOwnPropertyNames(parent); - for (var i = 0; i < allPropertyNames.length; i++) { - var propertyName = allPropertyNames[i]; - var descriptor = Object.getOwnPropertyDescriptor(parent, propertyName); - if (descriptor && descriptor.enumerable) { - continue; - } - child[propertyName] = _clone(parent[propertyName], depth - 1); - Object.defineProperty(child, propertyName, descriptor); - } - } - - return child; - } - - return _clone(parent, depth); - } - - /** - * Simple flat clone using prototype, accepts only objects, usefull for property - * override on FLAT configuration object (no nested props). - * - * USE WITH CAUTION! This may not behave as you wish if you do not know how this - * works. - */ - clone.clonePrototype = function clonePrototype(parent) { - if (parent === null) return null; - - var c = function () {}; - c.prototype = parent; - return new c(); - }; - - // private utility functions - - function __objToStr(o) { - return Object.prototype.toString.call(o); - } - clone.__objToStr = __objToStr; - - function __isDate(o) { - return typeof o === 'object' && __objToStr(o) === '[object Date]'; - } - clone.__isDate = __isDate; - - function __isArray(o) { - return typeof o === 'object' && __objToStr(o) === '[object Array]'; - } - clone.__isArray = __isArray; - - function __isRegExp(o) { - return typeof o === 'object' && __objToStr(o) === '[object RegExp]'; - } - clone.__isRegExp = __isRegExp; - - function __getRegExpFlags(re) { - var flags = ''; - if (re.global) flags += 'g'; - if (re.ignoreCase) flags += 'i'; - if (re.multiline) flags += 'm'; - return flags; - } - clone.__getRegExpFlags = __getRegExpFlags; - - return clone; -})(); - -export { cloneDeep }; diff --git a/src/utils/is.ts b/src/utils/is.ts index d71fd9b..807681e 100644 --- a/src/utils/is.ts +++ b/src/utils/is.ts @@ -93,6 +93,7 @@ export const isServer = typeof window === 'undefined'; export const isClient = !isServer; export function isUrl(path: string): boolean { + // @ts-ignore const reg = /(((^https?:(?:\/\/)?)(?:[-;:&=\+\$,\w]+@)?[A-Za-z0-9.-]+(?::\d+)?|(?:www.|[-;:&=\+\$,\w]+@)[A-Za-z0-9.-]+)((?:\/[\+~%\/.\w-_]*)?\??(?:[-\+=&;%@.\w_]*)#?(?:[\w]*))?)$/; return reg.test(path);