-
-
Notifications
You must be signed in to change notification settings - Fork 395
fix(deprecated): property with deprecated=false was shown as @deprecated #421
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Merged
Merged
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,291 @@ | ||
/* eslint-disable */ | ||
/* tslint:disable */ | ||
/* | ||
* --------------------------------------------------------------- | ||
* ## THIS FILE WAS GENERATED VIA SWAGGER-TYPESCRIPT-API ## | ||
* ## ## | ||
* ## AUTHOR: acacode ## | ||
* ## SOURCE: https://github.com/acacode/swagger-typescript-api ## | ||
* --------------------------------------------------------------- | ||
*/ | ||
|
||
export type QueryParamsType = Record<string | number, any>; | ||
export type ResponseFormat = keyof Omit<Body, "body" | "bodyUsed">; | ||
|
||
export interface FullRequestParams extends Omit<RequestInit, "body"> { | ||
/** set parameter to `true` for call `securityWorker` for this request */ | ||
secure?: boolean; | ||
/** request path */ | ||
path: string; | ||
/** content type of request body */ | ||
type?: ContentType; | ||
/** query params */ | ||
query?: QueryParamsType; | ||
/** format of response (i.e. response.json() -> format: "json") */ | ||
format?: ResponseFormat; | ||
/** request body */ | ||
body?: unknown; | ||
/** base url */ | ||
baseUrl?: string; | ||
/** request cancellation token */ | ||
cancelToken?: CancelToken; | ||
} | ||
|
||
export type RequestParams = Omit<FullRequestParams, "body" | "method" | "query" | "path">; | ||
|
||
export interface ApiConfig<SecurityDataType = unknown> { | ||
baseUrl?: string; | ||
baseApiParams?: Omit<RequestParams, "baseUrl" | "cancelToken" | "signal">; | ||
securityWorker?: (securityData: SecurityDataType | null) => Promise<RequestParams | void> | RequestParams | void; | ||
customFetch?: typeof fetch; | ||
} | ||
|
||
export interface HttpResponse<D extends unknown, E extends unknown = unknown> extends Response { | ||
data: D; | ||
error: E; | ||
} | ||
|
||
type CancelToken = Symbol | string | number; | ||
|
||
export enum ContentType { | ||
Json = "application/json", | ||
FormData = "multipart/form-data", | ||
UrlEncoded = "application/x-www-form-urlencoded", | ||
} | ||
|
||
export class HttpClient<SecurityDataType = unknown> { | ||
public baseUrl: string = "http://petstore.swagger.io/api"; | ||
private securityData: SecurityDataType | null = null; | ||
private securityWorker?: ApiConfig<SecurityDataType>["securityWorker"]; | ||
private abortControllers = new Map<CancelToken, AbortController>(); | ||
private customFetch = (...fetchParams: Parameters<typeof fetch>) => fetch(...fetchParams); | ||
|
||
private baseApiParams: RequestParams = { | ||
credentials: "same-origin", | ||
headers: {}, | ||
redirect: "follow", | ||
referrerPolicy: "no-referrer", | ||
}; | ||
|
||
constructor(apiConfig: ApiConfig<SecurityDataType> = {}) { | ||
Object.assign(this, apiConfig); | ||
} | ||
|
||
public setSecurityData = (data: SecurityDataType | null) => { | ||
this.securityData = data; | ||
}; | ||
|
||
protected encodeQueryParam(key: string, value: any) { | ||
const encodedKey = encodeURIComponent(key); | ||
return `${encodedKey}=${encodeURIComponent(typeof value === "number" ? value : `${value}`)}`; | ||
} | ||
|
||
protected addQueryParam(query: QueryParamsType, key: string) { | ||
return this.encodeQueryParam(key, query[key]); | ||
} | ||
|
||
protected addArrayQueryParam(query: QueryParamsType, key: string) { | ||
const value = query[key]; | ||
return value.map((v: any) => this.encodeQueryParam(key, v)).join("&"); | ||
} | ||
|
||
protected toQueryString(rawQuery?: QueryParamsType): string { | ||
const query = rawQuery || {}; | ||
const keys = Object.keys(query).filter((key) => "undefined" !== typeof query[key]); | ||
return keys | ||
.map((key) => (Array.isArray(query[key]) ? this.addArrayQueryParam(query, key) : this.addQueryParam(query, key))) | ||
.join("&"); | ||
} | ||
|
||
protected addQueryParams(rawQuery?: QueryParamsType): string { | ||
const queryString = this.toQueryString(rawQuery); | ||
return queryString ? `?${queryString}` : ""; | ||
} | ||
|
||
private contentFormatters: Record<ContentType, (input: any) => any> = { | ||
[ContentType.Json]: (input: any) => | ||
input !== null && (typeof input === "object" || typeof input === "string") ? JSON.stringify(input) : input, | ||
[ContentType.FormData]: (input: any) => | ||
Object.keys(input || {}).reduce((formData, key) => { | ||
const property = input[key]; | ||
formData.append( | ||
key, | ||
property instanceof Blob | ||
? property | ||
: typeof property === "object" && property !== null | ||
? JSON.stringify(property) | ||
: `${property}`, | ||
); | ||
return formData; | ||
}, new FormData()), | ||
[ContentType.UrlEncoded]: (input: any) => this.toQueryString(input), | ||
}; | ||
|
||
protected mergeRequestParams(params1: RequestParams, params2?: RequestParams): RequestParams { | ||
return { | ||
...this.baseApiParams, | ||
...params1, | ||
...(params2 || {}), | ||
headers: { | ||
...(this.baseApiParams.headers || {}), | ||
...(params1.headers || {}), | ||
...((params2 && params2.headers) || {}), | ||
}, | ||
}; | ||
} | ||
|
||
protected createAbortSignal = (cancelToken: CancelToken): AbortSignal | undefined => { | ||
if (this.abortControllers.has(cancelToken)) { | ||
const abortController = this.abortControllers.get(cancelToken); | ||
if (abortController) { | ||
return abortController.signal; | ||
} | ||
return void 0; | ||
} | ||
|
||
const abortController = new AbortController(); | ||
this.abortControllers.set(cancelToken, abortController); | ||
return abortController.signal; | ||
}; | ||
|
||
public abortRequest = (cancelToken: CancelToken) => { | ||
const abortController = this.abortControllers.get(cancelToken); | ||
|
||
if (abortController) { | ||
abortController.abort(); | ||
this.abortControllers.delete(cancelToken); | ||
} | ||
}; | ||
|
||
public request = async <T = any, E = any>({ | ||
body, | ||
secure, | ||
path, | ||
type, | ||
query, | ||
format, | ||
baseUrl, | ||
cancelToken, | ||
...params | ||
}: FullRequestParams): Promise<HttpResponse<T, E>> => { | ||
const secureParams = | ||
((typeof secure === "boolean" ? secure : this.baseApiParams.secure) && | ||
this.securityWorker && | ||
(await this.securityWorker(this.securityData))) || | ||
{}; | ||
const requestParams = this.mergeRequestParams(params, secureParams); | ||
const queryString = query && this.toQueryString(query); | ||
const payloadFormatter = this.contentFormatters[type || ContentType.Json]; | ||
const responseFormat = format || requestParams.format; | ||
|
||
return this.customFetch(`${baseUrl || this.baseUrl || ""}${path}${queryString ? `?${queryString}` : ""}`, { | ||
...requestParams, | ||
headers: { | ||
...(requestParams.headers || {}), | ||
...(type && type !== ContentType.FormData ? { "Content-Type": type } : {}), | ||
}, | ||
signal: cancelToken ? this.createAbortSignal(cancelToken) : requestParams.signal, | ||
body: typeof body === "undefined" || body === null ? null : payloadFormatter(body), | ||
}).then(async (response) => { | ||
const r = response as HttpResponse<T, E>; | ||
r.data = null as unknown as T; | ||
r.error = null as unknown as E; | ||
|
||
const data = !responseFormat | ||
? r | ||
: await response[responseFormat]() | ||
.then((data) => { | ||
if (r.ok) { | ||
r.data = data; | ||
} else { | ||
r.error = data; | ||
} | ||
return r; | ||
}) | ||
.catch((e) => { | ||
r.error = e; | ||
return r; | ||
}); | ||
|
||
if (cancelToken) { | ||
this.abortControllers.delete(cancelToken); | ||
} | ||
|
||
if (!response.ok) throw data; | ||
return data; | ||
}); | ||
}; | ||
} | ||
|
||
/** | ||
* @title Swagger Petstore | ||
* @version 1.0.0 | ||
* @license Apache 2.0 (https://www.apache.org/licenses/LICENSE-2.0.html) | ||
* @termsOfService http://swagger.io/terms/ | ||
* @baseUrl http://petstore.swagger.io/api | ||
* @contact Swagger API Team <[email protected]> (http://swagger.io) | ||
* | ||
* A sample API that uses a petstore as an example to demonstrate features in the swagger-2.0 specification | ||
*/ | ||
export class Api<SecurityDataType extends unknown> extends HttpClient<SecurityDataType> { | ||
pets = { | ||
/** | ||
* @description Returns all pets from the system that the user has access to Nam sed condimentum est. Maecenas tempor sagittis sapien, nec rhoncus sem sagittis sit amet. Aenean at gravida augue, ac iaculis sem. Curabitur odio lorem, ornare eget elementum nec, cursus id lectus. Duis mi turpis, pulvinar ac eros ac, tincidunt varius justo. In hac habitasse platea dictumst. Integer at adipiscing ante, a sagittis ligula. Aenean pharetra tempor ante molestie imperdiet. Vivamus id aliquam diam. Cras quis velit non tortor eleifend sagittis. Praesent at enim pharetra urna volutpat venenatis eget eget mauris. In eleifend fermentum facilisis. Praesent enim enim, gravida ac sodales sed, placerat id erat. Suspendisse lacus dolor, consectetur non augue vel, vehicula interdum libero. Morbi euismod sagittis libero sed lacinia. Sed tempus felis lobortis leo pulvinar rutrum. Nam mattis velit nisl, eu condimentum ligula luctus nec. Phasellus semper velit eget aliquet faucibus. In a mattis elit. Phasellus vel urna viverra, condimentum lorem id, rhoncus nibh. Ut pellentesque posuere elementum. Sed a varius odio. Morbi rhoncus ligula libero, vel eleifend nunc tristique vitae. Fusce et sem dui. Aenean nec scelerisque tortor. Fusce malesuada accumsan magna vel tempus. Quisque mollis felis eu dolor tristique, sit amet auctor felis gravida. Sed libero lorem, molestie sed nisl in, accumsan tempor nisi. Fusce sollicitudin massa ut lacinia mattis. Sed vel eleifend lorem. Pellentesque vitae felis pretium, pulvinar elit eu, euismod sapien. | ||
* | ||
* @name FindPets | ||
* @request GET:/pets | ||
*/ | ||
findPets: ( | ||
query?: { | ||
/** | ||
* tags to filter by | ||
* @deprecated | ||
*/ | ||
tags?: string[]; | ||
/** | ||
* maximum number of results to return | ||
* @format int32 | ||
*/ | ||
limit?: number; | ||
/** collection page number */ | ||
page?: number; | ||
}, | ||
params: RequestParams = {}, | ||
) => | ||
this.request<void, void>({ | ||
path: `/pets`, | ||
method: "GET", | ||
query: query, | ||
...params, | ||
}), | ||
}; | ||
petsDeprecatedTrue = { | ||
/** | ||
* @description Returns all pets from the system that the user has access to Nam sed condimentum est. Maecenas tempor sagittis sapien, nec rhoncus sem sagittis sit amet. Aenean at gravida augue, ac iaculis sem. Curabitur odio lorem, ornare eget elementum nec, cursus id lectus. Duis mi turpis, pulvinar ac eros ac, tincidunt varius justo. In hac habitasse platea dictumst. Integer at adipiscing ante, a sagittis ligula. Aenean pharetra tempor ante molestie imperdiet. Vivamus id aliquam diam. Cras quis velit non tortor eleifend sagittis. Praesent at enim pharetra urna volutpat venenatis eget eget mauris. In eleifend fermentum facilisis. Praesent enim enim, gravida ac sodales sed, placerat id erat. Suspendisse lacus dolor, consectetur non augue vel, vehicula interdum libero. Morbi euismod sagittis libero sed lacinia. Sed tempus felis lobortis leo pulvinar rutrum. Nam mattis velit nisl, eu condimentum ligula luctus nec. Phasellus semper velit eget aliquet faucibus. In a mattis elit. Phasellus vel urna viverra, condimentum lorem id, rhoncus nibh. Ut pellentesque posuere elementum. Sed a varius odio. Morbi rhoncus ligula libero, vel eleifend nunc tristique vitae. Fusce et sem dui. Aenean nec scelerisque tortor. Fusce malesuada accumsan magna vel tempus. Quisque mollis felis eu dolor tristique, sit amet auctor felis gravida. Sed libero lorem, molestie sed nisl in, accumsan tempor nisi. Fusce sollicitudin massa ut lacinia mattis. Sed vel eleifend lorem. Pellentesque vitae felis pretium, pulvinar elit eu, euismod sapien. | ||
* | ||
* @name FindPets | ||
* @request GET:/pets-deprecated-true | ||
* @deprecated | ||
*/ | ||
findPets: (params: RequestParams = {}) => | ||
this.request<void, void>({ | ||
path: `/pets-deprecated-true`, | ||
method: "GET", | ||
...params, | ||
}), | ||
}; | ||
petsDeprecatedFalse = { | ||
/** | ||
* @description Returns all pets from the system that the user has access to Nam sed condimentum est. Maecenas tempor sagittis sapien, nec rhoncus sem sagittis sit amet. Aenean at gravida augue, ac iaculis sem. Curabitur odio lorem, ornare eget elementum nec, cursus id lectus. Duis mi turpis, pulvinar ac eros ac, tincidunt varius justo. In hac habitasse platea dictumst. Integer at adipiscing ante, a sagittis ligula. Aenean pharetra tempor ante molestie imperdiet. Vivamus id aliquam diam. Cras quis velit non tortor eleifend sagittis. Praesent at enim pharetra urna volutpat venenatis eget eget mauris. In eleifend fermentum facilisis. Praesent enim enim, gravida ac sodales sed, placerat id erat. Suspendisse lacus dolor, consectetur non augue vel, vehicula interdum libero. Morbi euismod sagittis libero sed lacinia. Sed tempus felis lobortis leo pulvinar rutrum. Nam mattis velit nisl, eu condimentum ligula luctus nec. Phasellus semper velit eget aliquet faucibus. In a mattis elit. Phasellus vel urna viverra, condimentum lorem id, rhoncus nibh. Ut pellentesque posuere elementum. Sed a varius odio. Morbi rhoncus ligula libero, vel eleifend nunc tristique vitae. Fusce et sem dui. Aenean nec scelerisque tortor. Fusce malesuada accumsan magna vel tempus. Quisque mollis felis eu dolor tristique, sit amet auctor felis gravida. Sed libero lorem, molestie sed nisl in, accumsan tempor nisi. Fusce sollicitudin massa ut lacinia mattis. Sed vel eleifend lorem. Pellentesque vitae felis pretium, pulvinar elit eu, euismod sapien. | ||
* | ||
* @name FindPets | ||
* @request GET:/pets-deprecated-false | ||
*/ | ||
findPets: (params: RequestParams = {}) => | ||
this.request<void, void>({ | ||
path: `/pets-deprecated-false`, | ||
method: "GET", | ||
...params, | ||
}), | ||
}; | ||
} |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Like this? @js2me