swagger2api-v3 1.1.1 → 1.1.2

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/README.md CHANGED
@@ -1,235 +1,235 @@
1
- # Swagger2API-v3
2
-
3
- English | [中文](./README_CN.md)
4
-
5
- A powerful command-line tool for automatically generating TypeScript interface code from Swagger (OAS3.0) documentation.
6
-
7
- ## ✨ Features
8
-
9
- - 🚀 **Fast Generation** - Quickly generate TypeScript interface code from Swagger JSON
10
- - 📁 **Smart Grouping** - Support automatic file grouping by Swagger tags
11
- - 📝 **Detailed Comments** - Automatically generate detailed comments including descriptions, parameters, and return values
12
- - 🎨 **Code Formatting** - Support custom formatting commands
13
- - ⚙️ **Environment Adaptation** - Automatically detect project environment and generate corresponding configuration files
14
- - 🔧 **CLI Tool** - Provide complete command-line tools
15
-
16
- ## 📦 Installation
17
-
18
- ```bash
19
- # Global installation
20
- npm install -g swagger2api-v3
21
-
22
- # Project dependency
23
- npm install swagger2api-v3
24
- ```
25
-
26
- ## 🚀 Quick Start
27
-
28
- ### 1. Initialize Configuration File
29
-
30
- ```bash
31
- npx swagger2api-v3 init
32
- ```
33
-
34
- ### 2. Configuration File Description
35
-
36
- The tool automatically generates configuration files in the corresponding format based on the project environment:
37
-
38
- **CommonJS Environment** (`"type": "commonjs"` or not set):
39
- ```javascript
40
- const config = {
41
- input: 'https://petstore.swagger.io/v2/swagger.json',
42
- output: './src/api',
43
- importTemplate: "import { request } from '@/utils/request';",
44
- generator: 'typescript',
45
- groupByTags: true,
46
- overwrite: true,
47
- prefix: '',
48
- lint: 'prettier --write',
49
- options: {
50
- addComments: true
51
- }
52
- };
53
-
54
- module.exports = config;
55
- ```
56
-
57
- **ES Module Environment** (`"type": "module"`):
58
- ```javascript
59
- const config = {
60
- // ... same configuration
61
- };
62
-
63
- export default config;
64
- ```
65
-
66
- ### 3. Generate Interface Code
67
-
68
- ```bash
69
- npx swagger2api-v3 generate
70
- ```
71
-
72
- ## ⚙️ Configuration Options
73
-
74
- | Option | Type | Default | Description |
75
- |--------|------|---------|-------------|
76
- | `input` | string | - | Swagger JSON file path or URL |
77
- | `output` | string | `'./src/api'` | Output directory for generated code |
78
- | `generator` | string | `'typescript'` | Code generator type. Supports `'typescript'` and `'javascript'`. `'javascript'` outputs `.js` files and skips type file generation |
79
- | `groupByTags` | boolean | `true` | Whether to group files by tags |
80
- | `overwrite` | boolean | `true` | Whether to overwrite existing files |
81
- | `prefix` | string | `''` | Common prefix for API paths |
82
- | `importTemplate` | string | - | Import statement template for request function |
83
- | `requestStyle` | 'method' \| 'generic' | `'generic'` | Request call style: `method` uses `request.get/post`, `generic` uses `request({ method })` |
84
- | `lint` | string | - | Code formatting command (optional) |
85
- | `methodNameIgnorePrefix` | string[] | `[]` | Array of prefixes to ignore when generating method names. For example, `['api', 'auth']` will transform `apiGetName` to `getName` and `authUserInfo` to `userInfo` |
86
- | `options.addComments` | boolean | `true` | Whether to add detailed comments |
87
-
88
- ## 📁 Generated File Structure
89
-
90
- ### Grouped by Tags (Recommended)
91
-
92
- ```
93
- src/api/
94
- ├── types.ts # Data type definitions (TypeScript mode only)
95
- ├── user/ # User-related APIs
96
- │ └── index.ts
97
- ├── auth/ # Auth-related APIs
98
- │ └── index.ts
99
- └── index.ts # Entry file
100
- ```
101
-
102
- ### JavaScript Output
103
-
104
- When `generator: 'javascript'` is set:
105
-
106
- - Outputs `.js` files (`index.js`, `api.js`, `user/index.js`, etc.)
107
- - Does not generate a `types.ts` file
108
- - Removes TypeScript-specific syntax (types, `import type`, generics like `<T>`)
109
-
110
- Example generated API function (method style):
111
-
112
- ```javascript
113
- export const codeAuth = (data, config) => {
114
- return request.post({ url: '/api/auth/codeAuth', data, ...config });
115
- };
116
- ```
117
-
118
- Example generated API function (generic style):
119
-
120
- ```javascript
121
- export const codeAuth = (data, config) => {
122
- return request({ url: '/api/auth/codeAuth', method: 'POST', data, ...config });
123
- };
124
- ```
125
-
126
- ### Not Grouped
127
-
128
- ```
129
- src/api/
130
- ├── types.ts # Data type definitions
131
- ├── api.ts # All API interfaces
132
- └── index.ts # Entry file
133
- ```
134
-
135
- ## 💡 Usage Examples
136
-
137
- ### Generated Type Definitions
138
-
139
- ```typescript
140
- // types.ts
141
- export interface LoginDto {
142
- /** Account */
143
- account: string;
144
- /** Password */
145
- password: string;
146
- }
147
-
148
- export interface UserInfo {
149
- /** User ID */
150
- id: string;
151
- /** Username */
152
- username: string;
153
- }
154
- ```
155
-
156
- ### Generated API Interfaces
157
-
158
- ```typescript
159
- // authController/index.ts
160
- import { request } from '@/utils/request';
161
- import type { LoginDto, LoginRespDto } from '../types';
162
-
163
- /**
164
- * Login
165
- * @param data Login parameters
166
- * @param config Optional request configuration
167
- */
168
- export const authControllerLoginPost = (data: LoginDto, config?: any) => {
169
- return request.post<LoginRespDto>({
170
- url: '/admin/auth/login',
171
- data,
172
- ...config
173
- });
174
- };
175
-
176
- // When requestStyle is set to 'generic':
177
- export const authControllerLoginPost2 = (data: LoginDto, config?: any) => {
178
- return request<LoginRespDto>({
179
- url: '/admin/auth/login',
180
- data,
181
- method: 'POST',
182
- ...config
183
- });
184
- };
185
- ```
186
-
187
- ## 🔧 CLI Commands
188
-
189
- ```bash
190
- # Initialize configuration file
191
- npx swagger2api-v3 init [--force]
192
-
193
- # Generate interface code
194
- npx swagger2api-v3 generate [--config <path>]
195
-
196
- # Validate configuration file
197
- npx swagger2api-v3 validate [--config <path>]
198
-
199
- # Show help
200
- npx swagger2api-v3 --help
201
- ```
202
-
203
- ## 📝 NPM Scripts
204
-
205
- Add to `package.json`:
206
-
207
- ```json
208
- {
209
- "scripts": {
210
- "api:generate": "swagger2api-v3 generate",
211
- "api:init": "swagger2api-v3 init",
212
- "api:validate": "swagger2api-v3 validate"
213
- }
214
- }
215
- ```
216
-
217
- ## 🎨 Code Formatting
218
-
219
- Support automatic execution of formatting commands after generation:
220
-
221
- ```javascript
222
- // In configuration file
223
- const config = {
224
- // ... other configurations
225
- lint: 'prettier --write' // or 'eslint --fix', etc.
226
- };
227
- ```
228
-
229
- ## 🤝 Contributing
230
-
231
- Issues and Pull Requests are welcome!
232
-
233
- ## 📄 License
234
-
1
+ # Swagger2API-v3
2
+
3
+ English | [中文](./README_CN.md)
4
+
5
+ A powerful command-line tool for automatically generating TypeScript interface code from Swagger (OAS3.0) documentation.
6
+
7
+ ## ✨ Features
8
+
9
+ - 🚀 **Fast Generation** - Quickly generate TypeScript interface code from Swagger JSON
10
+ - 📁 **Smart Grouping** - Support automatic file grouping by Swagger tags
11
+ - 📝 **Detailed Comments** - Automatically generate detailed comments including descriptions, parameters, and return values
12
+ - 🎨 **Code Formatting** - Support custom formatting commands
13
+ - ⚙️ **Environment Adaptation** - Automatically detect project environment and generate corresponding configuration files
14
+ - 🔧 **CLI Tool** - Provide complete command-line tools
15
+
16
+ ## 📦 Installation
17
+
18
+ ```bash
19
+ # Global installation
20
+ npm install -g swagger2api-v3
21
+
22
+ # Project dependency
23
+ npm install swagger2api-v3
24
+ ```
25
+
26
+ ## 🚀 Quick Start
27
+
28
+ ### 1. Initialize Configuration File
29
+
30
+ ```bash
31
+ npx swagger2api-v3 init
32
+ ```
33
+
34
+ ### 2. Configuration File Description
35
+
36
+ The tool automatically generates configuration files in the corresponding format based on the project environment:
37
+
38
+ **CommonJS Environment** (`"type": "commonjs"` or not set):
39
+ ```javascript
40
+ const config = {
41
+ input: 'https://petstore.swagger.io/v2/swagger.json',
42
+ output: './src/api',
43
+ importTemplate: "import { request } from '@/utils/request';",
44
+ generator: 'typescript',
45
+ groupByTags: true,
46
+ overwrite: true,
47
+ prefix: '',
48
+ lint: 'prettier --write',
49
+ options: {
50
+ addComments: true
51
+ }
52
+ };
53
+
54
+ module.exports = config;
55
+ ```
56
+
57
+ **ES Module Environment** (`"type": "module"`):
58
+ ```javascript
59
+ const config = {
60
+ // ... same configuration
61
+ };
62
+
63
+ export default config;
64
+ ```
65
+
66
+ ### 3. Generate Interface Code
67
+
68
+ ```bash
69
+ npx swagger2api-v3 generate
70
+ ```
71
+
72
+ ## ⚙️ Configuration Options
73
+
74
+ | Option | Type | Default | Description |
75
+ |--------|------|---------|-------------|
76
+ | `input` | string | - | Swagger JSON file path or URL |
77
+ | `output` | string | `'./src/api'` | Output directory for generated code |
78
+ | `generator` | string | `'typescript'` | Code generator type. Supports `'typescript'` and `'javascript'`. `'javascript'` outputs `.js` files and skips type file generation |
79
+ | `groupByTags` | boolean | `true` | Whether to group files by tags |
80
+ | `overwrite` | boolean | `true` | Whether to overwrite existing files |
81
+ | `prefix` | string | `''` | Common prefix for API paths |
82
+ | `importTemplate` | string | - | Import statement template for request function |
83
+ | `requestStyle` | 'method' \| 'generic' | `'generic'` | Request call style: `method` uses `request.get/post`, `generic` uses `request({ method })` |
84
+ | `lint` | string | - | Code formatting command (optional) |
85
+ | `methodNameIgnorePrefix` | string[] | `[]` | Array of prefixes to ignore when generating method names. For example, `['api', 'auth']` will transform `apiGetName` to `getName` and `authUserInfo` to `userInfo` |
86
+ | `options.addComments` | boolean | `true` | Whether to add detailed comments |
87
+
88
+ ## 📁 Generated File Structure
89
+
90
+ ### Grouped by Tags (Recommended)
91
+
92
+ ```
93
+ src/api/
94
+ ├── types.ts # Data type definitions (TypeScript mode only)
95
+ ├── user/ # User-related APIs
96
+ │ └── index.ts
97
+ ├── auth/ # Auth-related APIs
98
+ │ └── index.ts
99
+ └── index.ts # Entry file
100
+ ```
101
+
102
+ ### JavaScript Output
103
+
104
+ When `generator: 'javascript'` is set:
105
+
106
+ - Outputs `.js` files (`index.js`, `api.js`, `user/index.js`, etc.)
107
+ - Does not generate a `types.ts` file
108
+ - Removes TypeScript-specific syntax (types, `import type`, generics like `<T>`)
109
+
110
+ Example generated API function (method style):
111
+
112
+ ```javascript
113
+ export const codeAuth = (data, config) => {
114
+ return request.post({ url: '/api/auth/codeAuth', data, ...config });
115
+ };
116
+ ```
117
+
118
+ Example generated API function (generic style):
119
+
120
+ ```javascript
121
+ export const codeAuth = (data, config) => {
122
+ return request({ url: '/api/auth/codeAuth', method: 'POST', data, ...config });
123
+ };
124
+ ```
125
+
126
+ ### Not Grouped
127
+
128
+ ```
129
+ src/api/
130
+ ├── types.ts # Data type definitions
131
+ ├── api.ts # All API interfaces
132
+ └── index.ts # Entry file
133
+ ```
134
+
135
+ ## 💡 Usage Examples
136
+
137
+ ### Generated Type Definitions
138
+
139
+ ```typescript
140
+ // types.ts
141
+ export interface LoginDto {
142
+ /** Account */
143
+ account: string;
144
+ /** Password */
145
+ password: string;
146
+ }
147
+
148
+ export interface UserInfo {
149
+ /** User ID */
150
+ id: string;
151
+ /** Username */
152
+ username: string;
153
+ }
154
+ ```
155
+
156
+ ### Generated API Interfaces
157
+
158
+ ```typescript
159
+ // authController/index.ts
160
+ import { request } from '@/utils/request';
161
+ import type { LoginDto, LoginRespDto } from '../types';
162
+
163
+ /**
164
+ * Login
165
+ * @param data Login parameters
166
+ * @param config Optional request configuration
167
+ */
168
+ export const authControllerLoginPost = (data: LoginDto, config?: any) => {
169
+ return request.post<LoginRespDto>({
170
+ url: '/admin/auth/login',
171
+ data,
172
+ ...config
173
+ });
174
+ };
175
+
176
+ // When requestStyle is set to 'generic':
177
+ export const authControllerLoginPost2 = (data: LoginDto, config?: any) => {
178
+ return request<LoginRespDto>({
179
+ url: '/admin/auth/login',
180
+ data,
181
+ method: 'POST',
182
+ ...config
183
+ });
184
+ };
185
+ ```
186
+
187
+ ## 🔧 CLI Commands
188
+
189
+ ```bash
190
+ # Initialize configuration file
191
+ npx swagger2api-v3 init [--force]
192
+
193
+ # Generate interface code
194
+ npx swagger2api-v3 generate [--config <path>]
195
+
196
+ # Validate configuration file
197
+ npx swagger2api-v3 validate [--config <path>]
198
+
199
+ # Show help
200
+ npx swagger2api-v3 --help
201
+ ```
202
+
203
+ ## 📝 NPM Scripts
204
+
205
+ Add to `package.json`:
206
+
207
+ ```json
208
+ {
209
+ "scripts": {
210
+ "api:generate": "swagger2api-v3 generate",
211
+ "api:init": "swagger2api-v3 init",
212
+ "api:validate": "swagger2api-v3 validate"
213
+ }
214
+ }
215
+ ```
216
+
217
+ ## 🎨 Code Formatting
218
+
219
+ Support automatic execution of formatting commands after generation:
220
+
221
+ ```javascript
222
+ // In configuration file
223
+ const config = {
224
+ // ... other configurations
225
+ lint: 'prettier --write' // or 'eslint --fix', etc.
226
+ };
227
+ ```
228
+
229
+ ## 🤝 Contributing
230
+
231
+ Issues and Pull Requests are welcome!
232
+
233
+ ## 📄 License
234
+
235
235
  MIT License
package/dist/cli/index.js CHANGED
@@ -110,51 +110,51 @@ program
110
110
  console.warn('⚠️ 无法读取package.json,使用默认ES Module格式');
111
111
  }
112
112
  }
113
- const configContent = `/**
114
- * Swagger2API 配置文件
115
- * 用于配置从 Swagger JSON 生成前端接口的参数
116
- */
117
- const config = {
118
- // Swagger JSON 文件路径或 URL
119
- input: 'http://localhost:3000/admin/docs/json',
120
-
121
- // 输出目录
122
- output: './src/api',
123
-
124
- // request 导入路径模板
125
- importTemplate: "import { request } from '@/utils/request';",
126
-
127
- // 生成器类型
128
- generator: 'typescript', // 可选 'javascript'(JS 模式输出 .js 文件且不生成类型文件)
129
-
130
- // 请求调用风格:'method' 使用 request.get/post;'generic' 使用 request({ method })
131
- requestStyle: 'generic',
132
-
133
- // 按标签分组生成文件
134
- groupByTags: true,
135
-
136
- // 是否覆盖更新,默认为true。为true时会先删除输出目录下的所有文件
137
- overwrite: true,
138
-
139
- // 接口路径公共前缀,默认为空字符串
140
- prefix: '',
141
-
142
- // 代码格式化命令(可选)
143
- lint: 'prettier --write',
144
-
145
- // 生成方法名时需要忽略的前缀(可选)
146
- // 例如:配置 ['api', 'auth'] 后,apiGetName 会变成 getName,authUserInfo 会变成 userInfo
147
- // 如果方法名是 apiAuthGetName,会依次移除所有匹配的前缀,最终变成 getName
148
- methodNameIgnorePrefix: [],
149
-
150
- // 生成选项
151
- options: {
152
- // 是否添加注释
153
- addComments: true
154
- }
155
- };
156
-
157
- ${isESModule ? 'export default config;' : 'module.exports = config;'}
113
+ const configContent = `/**
114
+ * Swagger2API 配置文件
115
+ * 用于配置从 Swagger JSON 生成前端接口的参数
116
+ */
117
+ const config = {
118
+ // Swagger JSON 文件路径或 URL
119
+ input: 'http://localhost:3000/admin/docs/json',
120
+
121
+ // 输出目录
122
+ output: './src/api',
123
+
124
+ // request 导入路径模板
125
+ importTemplate: "import { request } from '@/utils/request';",
126
+
127
+ // 生成器类型
128
+ generator: 'typescript', // 可选 'javascript'(JS 模式输出 .js 文件且不生成类型文件)
129
+
130
+ // 请求调用风格:'method' 使用 request.get/post;'generic' 使用 request({ method })
131
+ requestStyle: 'generic',
132
+
133
+ // 按标签分组生成文件
134
+ groupByTags: true,
135
+
136
+ // 是否覆盖更新,默认为true。为true时会先删除输出目录下的所有文件
137
+ overwrite: true,
138
+
139
+ // 接口路径公共前缀,默认为空字符串
140
+ prefix: '',
141
+
142
+ // 代码格式化命令(可选)
143
+ lint: 'prettier --write',
144
+
145
+ // 生成方法名时需要忽略的前缀(可选)
146
+ // 例如:配置 ['api', 'auth'] 后,apiGetName 会变成 getName,authUserInfo 会变成 userInfo
147
+ // 如果方法名是 apiAuthGetName,会依次移除所有匹配的前缀,最终变成 getName
148
+ methodNameIgnorePrefix: [],
149
+
150
+ // 生成选项
151
+ options: {
152
+ // 是否添加注释
153
+ addComments: true
154
+ }
155
+ };
156
+
157
+ ${isESModule ? 'export default config;' : 'module.exports = config;'}
158
158
  `;
159
159
  try {
160
160
  fs.writeFileSync(configPath, configContent, 'utf-8');
@@ -64,6 +64,7 @@ export declare class CodeGenerator {
64
64
  /**
65
65
  * 收集API数组中实际使用的类型
66
66
  * @param apis API接口数组
67
+ * @param definedTypes 已定义的类型数组
67
68
  * @returns 使用的类型名称数组
68
69
  */
69
70
  private collectUsedTypes;
@@ -166,7 +166,7 @@ class CodeGenerator {
166
166
  importTemplate + ';'
167
167
  ];
168
168
  // 收集当前文件实际使用的类型
169
- const usedTypes = this.collectUsedTypes(apis);
169
+ const usedTypes = this.collectUsedTypes(apis, types); // 传入 types
170
170
  // 添加类型导入(仅在 TypeScript 且生成类型文件时)
171
171
  if (this.config.generator === 'typescript' &&
172
172
  this.config.options?.generateModels !== false &&
@@ -307,9 +307,10 @@ class CodeGenerator {
307
307
  /**
308
308
  * 收集API数组中实际使用的类型
309
309
  * @param apis API接口数组
310
+ * @param definedTypes 已定义的类型数组
310
311
  * @returns 使用的类型名称数组
311
312
  */
312
- collectUsedTypes(apis) {
313
+ collectUsedTypes(apis, definedTypes) {
313
314
  const usedTypes = new Set();
314
315
  apis.forEach((api) => {
315
316
  // 收集响应类型
@@ -334,6 +335,13 @@ class CodeGenerator {
334
335
  }
335
336
  });
336
337
  });
338
+ // 如果提供了 definedTypes,则只保留已定义的类型
339
+ if (definedTypes) {
340
+ const definedTypeNames = new Set(definedTypes.map((t) => t.name));
341
+ return Array.from(usedTypes)
342
+ .filter((name) => definedTypeNames.has(name))
343
+ .sort();
344
+ }
337
345
  return Array.from(usedTypes).sort();
338
346
  }
339
347
  /**
@@ -116,6 +116,16 @@ class SwaggerParser {
116
116
  */
117
117
  parseTypes() {
118
118
  const types = [];
119
+ // Debug log
120
+ console.log('解析类型定义...');
121
+ console.log('Has definitions:', !!this.document.definitions);
122
+ console.log('Has components:', !!this.document.components);
123
+ if (this.document.components) {
124
+ console.log('Has schemas:', !!this.document.components.schemas);
125
+ if (this.document.components.schemas) {
126
+ console.log('Schema keys:', Object.keys(this.document.components.schemas));
127
+ }
128
+ }
119
129
  // 解析 Swagger 2.0 definitions
120
130
  if (this.document.definitions) {
121
131
  for (const [name, schema] of Object.entries(this.document.definitions)) {
@@ -339,9 +339,15 @@ function removeDirectory(dirPath) {
339
339
  async function loadSwaggerDocument(input) {
340
340
  try {
341
341
  if (input.startsWith('http://') || input.startsWith('https://')) {
342
- // 从URL加载
343
- const response = await axios_1.default.get(input);
344
- return response.data;
342
+ const { data } = await axios_1.default.get(input);
343
+ console.log('Loaded from URL:', input);
344
+ if (data.components?.schemas) {
345
+ console.log('Schemas count:', Object.keys(data.components.schemas).length);
346
+ }
347
+ else {
348
+ console.log('No schemas in loaded data');
349
+ }
350
+ return data;
345
351
  }
346
352
  else {
347
353
  // 从文件加载
@@ -390,8 +396,8 @@ function generateApiComment(operation, parameters) {
390
396
  // 如果有查询参数或路径参数,添加params注释
391
397
  if (hasParams) {
392
398
  const paramDescriptions = [...pathParams, ...queryParams]
393
- .map(p => p.description || '')
394
- .filter(desc => desc)
399
+ .map((p) => p.description || '')
400
+ .filter((desc) => desc)
395
401
  .join(', ');
396
402
  const description = paramDescriptions || '请求参数';
397
403
  comments.push(` * @param params ${description}`);
@@ -426,6 +432,9 @@ function sanitizeFilename(filename) {
426
432
  * @returns TypeScript类型字符串
427
433
  */
428
434
  function getResponseType(responses) {
435
+ if (!responses) {
436
+ return 'any';
437
+ }
429
438
  // 优先获取200响应
430
439
  const successResponse = responses['200'] || responses['201'] || responses['default'];
431
440
  if (!successResponse) {
package/package.json CHANGED
@@ -1,68 +1,68 @@
1
- {
2
- "name": "swagger2api-v3",
3
- "version": "1.1.1",
4
- "description": "A command-line tool for generating TypeScript API interfaces from Swagger (OAS 3.0) documentation",
5
- "main": "dist/index.js",
6
- "types": "dist/index.d.ts",
7
- "type": "commonjs",
8
- "bin": {
9
- "swagger2api-v3": "dist/cli/index.js"
10
- },
11
- "files": [
12
- "dist",
13
- "README.md",
14
- "package.json"
15
- ],
16
- "scripts": {
17
- "test": "jest",
18
- "test:watch": "jest --watch",
19
- "test:coverage": "jest --coverage",
20
- "test:ci": "jest --ci --coverage --watchAll=false",
21
- "build": "tsc",
22
- "clean": "rimraf dist",
23
- "prebuild": "npm run clean",
24
- "start": "node dist/cli/index.js",
25
- "dev": "npm run build && npm start",
26
- "lint": "prettier --write",
27
- "generate": "npm run build && node dist/cli/index.js generate",
28
- "init": "npm run build && node dist/cli/index.js init",
29
- "validate": "npm run build && node dist/cli/index.js validate",
30
- "swagger:generate": "npm run generate",
31
- "swagger:run": "npm run generate",
32
- "swagger:init": "npm run init",
33
- "swagger:validate": "npm run validate"
34
- },
35
- "keywords": [
36
- "swagger",
37
- "openapi",
38
- "typescript",
39
- "api",
40
- "generator",
41
- "cli",
42
- "code-generation"
43
- ],
44
- "author": "xiaoyang",
45
- "license": "MIT",
46
- "homepage": "https://github.com/xiaoyang33/swagger2api-v3#readme",
47
- "repository": {
48
- "type": "git",
49
- "url": "https://github.com/xiaoyang33/swagger2api-v3.git"
50
- },
51
- "bugs": {
52
- "url": "https://github.com/xiaoyang33/swagger2api-v3/issues"
53
- },
54
- "packageManager": "pnpm@10.11.0",
55
- "devDependencies": {
56
- "@types/jest": "^29.5.0",
57
- "@types/node": "^24.3.1",
58
- "jest": "^29.5.0",
59
- "prettier": "^3.6.2",
60
- "rimraf": "^6.0.1",
61
- "ts-jest": "^29.1.0",
62
- "typescript": "^5.9.2"
63
- },
64
- "dependencies": {
65
- "axios": "^1.11.0",
66
- "commander": "^12.0.0"
67
- }
68
- }
1
+ {
2
+ "name": "swagger2api-v3",
3
+ "version": "1.1.2",
4
+ "description": "A command-line tool for generating TypeScript API interfaces from Swagger (OAS 3.0) documentation",
5
+ "main": "dist/index.js",
6
+ "types": "dist/index.d.ts",
7
+ "type": "commonjs",
8
+ "bin": {
9
+ "swagger2api-v3": "dist/cli/index.js"
10
+ },
11
+ "files": [
12
+ "dist",
13
+ "README.md",
14
+ "package.json"
15
+ ],
16
+ "scripts": {
17
+ "test": "jest",
18
+ "test:watch": "jest --watch",
19
+ "test:coverage": "jest --coverage",
20
+ "test:ci": "jest --ci --coverage --watchAll=false",
21
+ "build": "tsc",
22
+ "clean": "rimraf dist",
23
+ "prebuild": "npm run clean",
24
+ "start": "node dist/cli/index.js",
25
+ "dev": "npm run build && npm start",
26
+ "lint": "prettier --write",
27
+ "generate": "npm run build && node dist/cli/index.js generate",
28
+ "init": "npm run build && node dist/cli/index.js init",
29
+ "validate": "npm run build && node dist/cli/index.js validate",
30
+ "swagger:generate": "npm run generate",
31
+ "swagger:run": "npm run generate",
32
+ "swagger:init": "npm run init",
33
+ "swagger:validate": "npm run validate"
34
+ },
35
+ "keywords": [
36
+ "swagger",
37
+ "openapi",
38
+ "typescript",
39
+ "api",
40
+ "generator",
41
+ "cli",
42
+ "code-generation"
43
+ ],
44
+ "author": "xiaoyang",
45
+ "license": "MIT",
46
+ "homepage": "https://github.com/xiaoyang33/swagger2api-v3#readme",
47
+ "repository": {
48
+ "type": "git",
49
+ "url": "https://github.com/xiaoyang33/swagger2api-v3.git"
50
+ },
51
+ "bugs": {
52
+ "url": "https://github.com/xiaoyang33/swagger2api-v3/issues"
53
+ },
54
+ "packageManager": "pnpm@10.11.0",
55
+ "devDependencies": {
56
+ "@types/jest": "^29.5.0",
57
+ "@types/node": "^24.3.1",
58
+ "jest": "^29.5.0",
59
+ "prettier": "^3.6.2",
60
+ "rimraf": "^6.0.1",
61
+ "ts-jest": "^29.1.0",
62
+ "typescript": "^5.9.2"
63
+ },
64
+ "dependencies": {
65
+ "axios": "^1.11.0",
66
+ "commander": "^12.0.0"
67
+ }
68
+ }