mirror of
https://gitcode.com/github-mirrors/react-native-update-cli.git
synced 2025-11-23 08:43:37 +08:00
Compare commits
12 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
78159f362b | ||
|
|
b76440d018 | ||
|
|
e3c951bc1b | ||
|
|
f6ed8872bd | ||
|
|
fd46bafb98 | ||
|
|
917f99f2ab | ||
|
|
ac13464d4d | ||
|
|
f82bab887a | ||
|
|
07ff19fbe5 | ||
|
|
a4467717bc | ||
|
|
cd890347d1 | ||
|
|
e6de3eeef3 |
3
.gitignore
vendored
3
.gitignore
vendored
@@ -105,3 +105,6 @@ dist
|
|||||||
|
|
||||||
lib/
|
lib/
|
||||||
.DS_Store
|
.DS_Store
|
||||||
|
# react-native-update
|
||||||
|
.update
|
||||||
|
.pushy
|
||||||
1
.swcrc
1
.swcrc
@@ -1,5 +1,6 @@
|
|||||||
{
|
{
|
||||||
"jsc": {
|
"jsc": {
|
||||||
|
"baseUrl": "./src",
|
||||||
"loose": true,
|
"loose": true,
|
||||||
"target": "es2018",
|
"target": "es2018",
|
||||||
"parser": {
|
"parser": {
|
||||||
|
|||||||
109
README.md
109
README.md
@@ -49,14 +49,14 @@ const provider = moduleManager.getProvider();
|
|||||||
const bundleResult = await provider.bundle({
|
const bundleResult = await provider.bundle({
|
||||||
platform: 'ios',
|
platform: 'ios',
|
||||||
dev: false,
|
dev: false,
|
||||||
sourcemap: true
|
sourcemap: true,
|
||||||
});
|
});
|
||||||
|
|
||||||
// Publish version
|
// Publish version
|
||||||
const publishResult = await provider.publish({
|
const publishResult = await provider.publish({
|
||||||
name: 'v1.2.3',
|
name: 'v1.2.3',
|
||||||
description: 'Bug fixes and improvements',
|
description: 'Bug fixes and improvements',
|
||||||
rollout: 100
|
rollout: 100,
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -65,7 +65,11 @@ const publishResult = await provider.publish({
|
|||||||
### 1. Define Module
|
### 1. Define Module
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
import type { CLIModule, CommandDefinition, CustomWorkflow } from 'react-native-update-cli';
|
import type {
|
||||||
|
CLIModule,
|
||||||
|
CommandDefinition,
|
||||||
|
CustomWorkflow,
|
||||||
|
} from 'react-native-update-cli';
|
||||||
|
|
||||||
export const myCustomModule: CLIModule = {
|
export const myCustomModule: CLIModule = {
|
||||||
name: 'my-custom',
|
name: 'my-custom',
|
||||||
@@ -79,13 +83,13 @@ export const myCustomModule: CLIModule = {
|
|||||||
console.log('Executing custom command...');
|
console.log('Executing custom command...');
|
||||||
return {
|
return {
|
||||||
success: true,
|
success: true,
|
||||||
data: { message: 'Custom command executed' }
|
data: { message: 'Custom command executed' },
|
||||||
};
|
};
|
||||||
},
|
},
|
||||||
options: {
|
options: {
|
||||||
param: { hasValue: true, description: 'Custom parameter' }
|
param: { hasValue: true, description: 'Custom parameter' },
|
||||||
}
|
},
|
||||||
}
|
},
|
||||||
],
|
],
|
||||||
|
|
||||||
workflows: [
|
workflows: [
|
||||||
@@ -99,7 +103,7 @@ export const myCustomModule: CLIModule = {
|
|||||||
execute: async (context, previousResult) => {
|
execute: async (context, previousResult) => {
|
||||||
console.log('Executing step 1...');
|
console.log('Executing step 1...');
|
||||||
return { step1Completed: true };
|
return { step1Completed: true };
|
||||||
}
|
},
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
name: 'step2',
|
name: 'step2',
|
||||||
@@ -107,10 +111,10 @@ export const myCustomModule: CLIModule = {
|
|||||||
execute: async (context, previousResult) => {
|
execute: async (context, previousResult) => {
|
||||||
console.log('Executing step 2...');
|
console.log('Executing step 2...');
|
||||||
return { ...previousResult, step2Completed: true };
|
return { ...previousResult, step2Completed: true };
|
||||||
}
|
},
|
||||||
}
|
},
|
||||||
]
|
],
|
||||||
}
|
},
|
||||||
],
|
],
|
||||||
|
|
||||||
init: (provider) => {
|
init: (provider) => {
|
||||||
@@ -119,7 +123,7 @@ export const myCustomModule: CLIModule = {
|
|||||||
|
|
||||||
cleanup: () => {
|
cleanup: () => {
|
||||||
console.log('Custom module cleanup');
|
console.log('Custom module cleanup');
|
||||||
}
|
},
|
||||||
};
|
};
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -135,13 +139,13 @@ moduleManager.registerModule(myCustomModule);
|
|||||||
// Execute custom command
|
// Execute custom command
|
||||||
const result = await moduleManager.executeCommand('custom-command', {
|
const result = await moduleManager.executeCommand('custom-command', {
|
||||||
args: [],
|
args: [],
|
||||||
options: { param: 'value' }
|
options: { param: 'value' },
|
||||||
});
|
});
|
||||||
|
|
||||||
// Execute custom workflow
|
// Execute custom workflow
|
||||||
const workflowResult = await moduleManager.executeWorkflow('my-workflow', {
|
const workflowResult = await moduleManager.executeWorkflow('my-workflow', {
|
||||||
args: [],
|
args: [],
|
||||||
options: {}
|
options: {},
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -191,6 +195,7 @@ Each workflow step contains:
|
|||||||
## 📋 Built-in Modules
|
## 📋 Built-in Modules
|
||||||
|
|
||||||
### Bundle Module (`bundle`)
|
### Bundle Module (`bundle`)
|
||||||
|
|
||||||
- `bundle`: Bundle JavaScript code and optionally publish
|
- `bundle`: Bundle JavaScript code and optionally publish
|
||||||
- `diff`: Generate differences between two PPK files
|
- `diff`: Generate differences between two PPK files
|
||||||
- `hdiff`: Generate hdiff between two PPK files
|
- `hdiff`: Generate hdiff between two PPK files
|
||||||
@@ -201,27 +206,31 @@ Each workflow step contains:
|
|||||||
- `hdiffFromIpa`: Generate hdiff from IPA files
|
- `hdiffFromIpa`: Generate hdiff from IPA files
|
||||||
|
|
||||||
### Version Module (`version`)
|
### Version Module (`version`)
|
||||||
|
|
||||||
- `publish`: Publish new version
|
- `publish`: Publish new version
|
||||||
- `versions`: List all versions
|
- `versions`: List all versions
|
||||||
- `update`: Update version information
|
- `update`: Update version information
|
||||||
- `updateVersionInfo`: Update version metadata
|
- `updateVersionInfo`: Update version metadata
|
||||||
|
|
||||||
### App Module (`app`)
|
### App Module (`app`)
|
||||||
|
|
||||||
- `createApp`: Create new application
|
- `createApp`: Create new application
|
||||||
- `apps`: List all applications
|
- `apps`: List all applications
|
||||||
- `selectApp`: Select application
|
- `selectApp`: Select application
|
||||||
- `deleteApp`: Delete application
|
- `deleteApp`: Delete application
|
||||||
|
|
||||||
### Package Module (`package`)
|
### Package Module (`package`)
|
||||||
- `uploadIpa`: Upload IPA files
|
|
||||||
- `uploadApk`: Upload APK files
|
- `uploadIpa`: Upload IPA files (supports `--version` to override extracted version)
|
||||||
- `uploadApp`: Upload APP files
|
- `uploadApk`: Upload APK files (supports `--version` to override extracted version)
|
||||||
|
- `uploadApp`: Upload APP files (supports `--version` to override extracted version)
|
||||||
- `parseApp`: Parse APP file information
|
- `parseApp`: Parse APP file information
|
||||||
- `parseIpa`: Parse IPA file information
|
- `parseIpa`: Parse IPA file information
|
||||||
- `parseApk`: Parse APK file information
|
- `parseApk`: Parse APK file information
|
||||||
- `packages`: List packages
|
- `packages`: List packages
|
||||||
|
|
||||||
### User Module (`user`)
|
### User Module (`user`)
|
||||||
|
|
||||||
- `login`: Login
|
- `login`: Login
|
||||||
- `logout`: Logout
|
- `logout`: Logout
|
||||||
- `me`: Show user information
|
- `me`: Show user information
|
||||||
@@ -242,14 +251,20 @@ interface CLIProvider {
|
|||||||
upload(options: UploadOptions): Promise<CommandResult>;
|
upload(options: UploadOptions): Promise<CommandResult>;
|
||||||
|
|
||||||
// Application management
|
// Application management
|
||||||
getSelectedApp(platform?: Platform): Promise<{ appId: string; platform: Platform }>;
|
getSelectedApp(
|
||||||
|
platform?: Platform,
|
||||||
|
): Promise<{ appId: string; platform: Platform }>;
|
||||||
listApps(platform?: Platform): Promise<CommandResult>;
|
listApps(platform?: Platform): Promise<CommandResult>;
|
||||||
createApp(name: string, platform: Platform): Promise<CommandResult>;
|
createApp(name: string, platform: Platform): Promise<CommandResult>;
|
||||||
|
|
||||||
// Version management
|
// Version management
|
||||||
listVersions(appId: string): Promise<CommandResult>;
|
listVersions(appId: string): Promise<CommandResult>;
|
||||||
getVersion(appId: string, versionId: string): Promise<CommandResult>;
|
getVersion(appId: string, versionId: string): Promise<CommandResult>;
|
||||||
updateVersion(appId: string, versionId: string, updates: Partial<Version>): Promise<CommandResult>;
|
updateVersion(
|
||||||
|
appId: string,
|
||||||
|
versionId: string,
|
||||||
|
updates: Partial<Version>,
|
||||||
|
): Promise<CommandResult>;
|
||||||
|
|
||||||
// Package management
|
// Package management
|
||||||
listPackages(appId: string, platform?: Platform): Promise<CommandResult>;
|
listPackages(appId: string, platform?: Platform): Promise<CommandResult>;
|
||||||
@@ -263,7 +278,10 @@ interface CLIProvider {
|
|||||||
|
|
||||||
// Workflows
|
// Workflows
|
||||||
registerWorkflow(workflow: CustomWorkflow): void;
|
registerWorkflow(workflow: CustomWorkflow): void;
|
||||||
executeWorkflow(workflowName: string, context: CommandContext): Promise<CommandResult>;
|
executeWorkflow(
|
||||||
|
workflowName: string,
|
||||||
|
context: CommandContext,
|
||||||
|
): Promise<CommandResult>;
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -276,8 +294,8 @@ const bundleResult = await moduleManager.executeCommand('custom-bundle', {
|
|||||||
options: {
|
options: {
|
||||||
platform: 'android',
|
platform: 'android',
|
||||||
validate: true,
|
validate: true,
|
||||||
optimize: true
|
optimize: true,
|
||||||
}
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
// Generate diff file
|
// Generate diff file
|
||||||
@@ -286,8 +304,8 @@ const diffResult = await moduleManager.executeCommand('diff', {
|
|||||||
options: {
|
options: {
|
||||||
origin: './build/v1.0.0.ppk',
|
origin: './build/v1.0.0.ppk',
|
||||||
next: './build/v1.1.0.ppk',
|
next: './build/v1.1.0.ppk',
|
||||||
output: './build/diff.patch'
|
output: './build/diff.patch',
|
||||||
}
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
// Generate diff from APK files
|
// Generate diff from APK files
|
||||||
@@ -296,8 +314,8 @@ const apkDiffResult = await moduleManager.executeCommand('diffFromApk', {
|
|||||||
options: {
|
options: {
|
||||||
origin: './build/app-v1.0.0.apk',
|
origin: './build/app-v1.0.0.apk',
|
||||||
next: './build/app-v1.1.0.apk',
|
next: './build/app-v1.1.0.apk',
|
||||||
output: './build/apk-diff.patch'
|
output: './build/apk-diff.patch',
|
||||||
}
|
},
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -349,29 +367,31 @@ Provider provides a concise programming interface suitable for integrating React
|
|||||||
### 📋 Core API Methods
|
### 📋 Core API Methods
|
||||||
|
|
||||||
#### Core Business Functions
|
#### Core Business Functions
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// Bundle application
|
// Bundle application
|
||||||
await provider.bundle({
|
await provider.bundle({
|
||||||
platform: 'ios',
|
platform: 'ios',
|
||||||
dev: false,
|
dev: false,
|
||||||
sourcemap: true
|
sourcemap: true,
|
||||||
});
|
});
|
||||||
|
|
||||||
// Publish version
|
// Publish version
|
||||||
await provider.publish({
|
await provider.publish({
|
||||||
name: 'v1.0.0',
|
name: 'v1.0.0',
|
||||||
description: 'Bug fixes',
|
description: 'Bug fixes',
|
||||||
rollout: 100
|
rollout: 100,
|
||||||
});
|
});
|
||||||
|
|
||||||
// Upload file
|
// Upload file
|
||||||
await provider.upload({
|
await provider.upload({
|
||||||
filePath: 'app.ipa',
|
filePath: 'app.ipa',
|
||||||
platform: 'ios'
|
platform: 'ios',
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
#### Application Management
|
#### Application Management
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// Create application
|
// Create application
|
||||||
await provider.createApp('MyApp', 'ios');
|
await provider.createApp('MyApp', 'ios');
|
||||||
@@ -384,6 +404,7 @@ const { appId, platform } = await provider.getSelectedApp('ios');
|
|||||||
```
|
```
|
||||||
|
|
||||||
#### Version Management
|
#### Version Management
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// List versions
|
// List versions
|
||||||
await provider.listVersions('app123');
|
await provider.listVersions('app123');
|
||||||
@@ -391,11 +412,12 @@ await provider.listVersions('app123');
|
|||||||
// Update version
|
// Update version
|
||||||
await provider.updateVersion('app123', 'version456', {
|
await provider.updateVersion('app123', 'version456', {
|
||||||
name: 'v1.1.0',
|
name: 'v1.1.0',
|
||||||
description: 'New features'
|
description: 'New features',
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
#### Utility Functions
|
#### Utility Functions
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// Get platform
|
// Get platform
|
||||||
const platform = await provider.getPlatform('ios');
|
const platform = await provider.getPlatform('ios');
|
||||||
@@ -407,6 +429,7 @@ const session = await provider.loadSession();
|
|||||||
### 🎯 Use Cases
|
### 🎯 Use Cases
|
||||||
|
|
||||||
#### 1. Automated Build Scripts
|
#### 1. Automated Build Scripts
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
import { moduleManager } from 'react-native-update-cli';
|
import { moduleManager } from 'react-native-update-cli';
|
||||||
|
|
||||||
@@ -417,7 +440,7 @@ async function buildAndPublish() {
|
|||||||
const bundleResult = await provider.bundle({
|
const bundleResult = await provider.bundle({
|
||||||
platform: 'ios',
|
platform: 'ios',
|
||||||
dev: false,
|
dev: false,
|
||||||
sourcemap: true
|
sourcemap: true,
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!bundleResult.success) {
|
if (!bundleResult.success) {
|
||||||
@@ -428,7 +451,7 @@ async function buildAndPublish() {
|
|||||||
const publishResult = await provider.publish({
|
const publishResult = await provider.publish({
|
||||||
name: 'v1.2.3',
|
name: 'v1.2.3',
|
||||||
description: 'Bug fixes and performance improvements',
|
description: 'Bug fixes and performance improvements',
|
||||||
rollout: 100
|
rollout: 100,
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!publishResult.success) {
|
if (!publishResult.success) {
|
||||||
@@ -440,6 +463,7 @@ async function buildAndPublish() {
|
|||||||
```
|
```
|
||||||
|
|
||||||
#### 2. CI/CD Integration
|
#### 2. CI/CD Integration
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
async function ciBuild() {
|
async function ciBuild() {
|
||||||
const provider = moduleManager.getProvider();
|
const provider = moduleManager.getProvider();
|
||||||
@@ -447,7 +471,7 @@ async function ciBuild() {
|
|||||||
const result = await provider.bundle({
|
const result = await provider.bundle({
|
||||||
platform: process.env.PLATFORM as 'ios' | 'android',
|
platform: process.env.PLATFORM as 'ios' | 'android',
|
||||||
dev: process.env.NODE_ENV !== 'production',
|
dev: process.env.NODE_ENV !== 'production',
|
||||||
sourcemap: process.env.NODE_ENV === 'production'
|
sourcemap: process.env.NODE_ENV === 'production',
|
||||||
});
|
});
|
||||||
|
|
||||||
return result;
|
return result;
|
||||||
@@ -455,6 +479,7 @@ async function ciBuild() {
|
|||||||
```
|
```
|
||||||
|
|
||||||
#### 3. Application Management Service
|
#### 3. Application Management Service
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
class AppManagementService {
|
class AppManagementService {
|
||||||
private provider = moduleManager.getProvider();
|
private provider = moduleManager.getProvider();
|
||||||
@@ -488,6 +513,7 @@ class AppManagementService {
|
|||||||
### 🔧 Advanced Features
|
### 🔧 Advanced Features
|
||||||
|
|
||||||
#### Custom Workflows
|
#### Custom Workflows
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// Register custom workflow
|
// Register custom workflow
|
||||||
provider.registerWorkflow({
|
provider.registerWorkflow({
|
||||||
@@ -498,7 +524,7 @@ provider.registerWorkflow({
|
|||||||
name: 'bundle',
|
name: 'bundle',
|
||||||
execute: async () => {
|
execute: async () => {
|
||||||
return await provider.bundle({ platform: 'ios', dev: false });
|
return await provider.bundle({ platform: 'ios', dev: false });
|
||||||
}
|
},
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
name: 'publish',
|
name: 'publish',
|
||||||
@@ -507,9 +533,9 @@ provider.registerWorkflow({
|
|||||||
throw new Error('Bundle failed, cannot publish');
|
throw new Error('Bundle failed, cannot publish');
|
||||||
}
|
}
|
||||||
return await provider.publish({ name: 'auto-release', rollout: 50 });
|
return await provider.publish({ name: 'auto-release', rollout: 50 });
|
||||||
}
|
},
|
||||||
}
|
},
|
||||||
]
|
],
|
||||||
});
|
});
|
||||||
|
|
||||||
// Execute workflow
|
// Execute workflow
|
||||||
@@ -535,7 +561,7 @@ class ReactNativeUpdateService {
|
|||||||
const bundleResult = await this.provider.bundle({
|
const bundleResult = await this.provider.bundle({
|
||||||
platform,
|
platform,
|
||||||
dev: false,
|
dev: false,
|
||||||
sourcemap: true
|
sourcemap: true,
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!bundleResult.success) {
|
if (!bundleResult.success) {
|
||||||
@@ -546,7 +572,7 @@ class ReactNativeUpdateService {
|
|||||||
const publishResult = await this.provider.publish({
|
const publishResult = await this.provider.publish({
|
||||||
name: version,
|
name: version,
|
||||||
description: `Release ${version}`,
|
description: `Release ${version}`,
|
||||||
rollout: 100
|
rollout: 100,
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!publishResult.success) {
|
if (!publishResult.success) {
|
||||||
@@ -554,11 +580,10 @@ class ReactNativeUpdateService {
|
|||||||
}
|
}
|
||||||
|
|
||||||
return { success: true, data: publishResult.data };
|
return { success: true, data: publishResult.data };
|
||||||
|
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
return {
|
return {
|
||||||
success: false,
|
success: false,
|
||||||
error: error instanceof Error ? error.message : 'Unknown error'
|
error: error instanceof Error ? error.message : 'Unknown error',
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
109
README.zh-CN.md
109
README.zh-CN.md
@@ -47,14 +47,14 @@ const provider = moduleManager.getProvider();
|
|||||||
const bundleResult = await provider.bundle({
|
const bundleResult = await provider.bundle({
|
||||||
platform: 'ios',
|
platform: 'ios',
|
||||||
dev: false,
|
dev: false,
|
||||||
sourcemap: true
|
sourcemap: true,
|
||||||
});
|
});
|
||||||
|
|
||||||
// 发布版本
|
// 发布版本
|
||||||
const publishResult = await provider.publish({
|
const publishResult = await provider.publish({
|
||||||
name: 'v1.2.3',
|
name: 'v1.2.3',
|
||||||
description: 'Bug fixes and improvements',
|
description: 'Bug fixes and improvements',
|
||||||
rollout: 100
|
rollout: 100,
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -63,7 +63,11 @@ const publishResult = await provider.publish({
|
|||||||
### 1. 定义模块
|
### 1. 定义模块
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
import type { CLIModule, CommandDefinition, CustomWorkflow } from 'react-native-update-cli';
|
import type {
|
||||||
|
CLIModule,
|
||||||
|
CommandDefinition,
|
||||||
|
CustomWorkflow,
|
||||||
|
} from 'react-native-update-cli';
|
||||||
|
|
||||||
export const myCustomModule: CLIModule = {
|
export const myCustomModule: CLIModule = {
|
||||||
name: 'my-custom',
|
name: 'my-custom',
|
||||||
@@ -77,13 +81,13 @@ export const myCustomModule: CLIModule = {
|
|||||||
console.log('Executing custom command...');
|
console.log('Executing custom command...');
|
||||||
return {
|
return {
|
||||||
success: true,
|
success: true,
|
||||||
data: { message: 'Custom command executed' }
|
data: { message: 'Custom command executed' },
|
||||||
};
|
};
|
||||||
},
|
},
|
||||||
options: {
|
options: {
|
||||||
param: { hasValue: true, description: 'Custom parameter' }
|
param: { hasValue: true, description: 'Custom parameter' },
|
||||||
}
|
},
|
||||||
}
|
},
|
||||||
],
|
],
|
||||||
|
|
||||||
workflows: [
|
workflows: [
|
||||||
@@ -97,7 +101,7 @@ export const myCustomModule: CLIModule = {
|
|||||||
execute: async (context, previousResult) => {
|
execute: async (context, previousResult) => {
|
||||||
console.log('Executing step 1...');
|
console.log('Executing step 1...');
|
||||||
return { step1Completed: true };
|
return { step1Completed: true };
|
||||||
}
|
},
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
name: 'step2',
|
name: 'step2',
|
||||||
@@ -105,10 +109,10 @@ export const myCustomModule: CLIModule = {
|
|||||||
execute: async (context, previousResult) => {
|
execute: async (context, previousResult) => {
|
||||||
console.log('Executing step 2...');
|
console.log('Executing step 2...');
|
||||||
return { ...previousResult, step2Completed: true };
|
return { ...previousResult, step2Completed: true };
|
||||||
}
|
},
|
||||||
}
|
},
|
||||||
]
|
],
|
||||||
}
|
},
|
||||||
],
|
],
|
||||||
|
|
||||||
init: (provider) => {
|
init: (provider) => {
|
||||||
@@ -117,7 +121,7 @@ export const myCustomModule: CLIModule = {
|
|||||||
|
|
||||||
cleanup: () => {
|
cleanup: () => {
|
||||||
console.log('Custom module cleanup');
|
console.log('Custom module cleanup');
|
||||||
}
|
},
|
||||||
};
|
};
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -133,13 +137,13 @@ moduleManager.registerModule(myCustomModule);
|
|||||||
// 执行自定义命令
|
// 执行自定义命令
|
||||||
const result = await moduleManager.executeCommand('custom-command', {
|
const result = await moduleManager.executeCommand('custom-command', {
|
||||||
args: [],
|
args: [],
|
||||||
options: { param: 'value' }
|
options: { param: 'value' },
|
||||||
});
|
});
|
||||||
|
|
||||||
// 执行自定义工作流
|
// 执行自定义工作流
|
||||||
const workflowResult = await moduleManager.executeWorkflow('my-workflow', {
|
const workflowResult = await moduleManager.executeWorkflow('my-workflow', {
|
||||||
args: [],
|
args: [],
|
||||||
options: {}
|
options: {},
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -189,6 +193,7 @@ const workflowResult = await moduleManager.executeWorkflow('my-workflow', {
|
|||||||
## 📋 内置模块
|
## 📋 内置模块
|
||||||
|
|
||||||
### Bundle 模块 (`bundle`)
|
### Bundle 模块 (`bundle`)
|
||||||
|
|
||||||
- `bundle`: 打包 JavaScript 代码并可选发布
|
- `bundle`: 打包 JavaScript 代码并可选发布
|
||||||
- `diff`: 生成两个 PPK 文件之间的差异
|
- `diff`: 生成两个 PPK 文件之间的差异
|
||||||
- `hdiff`: 生成两个 PPK 文件之间的 hdiff
|
- `hdiff`: 生成两个 PPK 文件之间的 hdiff
|
||||||
@@ -199,27 +204,31 @@ const workflowResult = await moduleManager.executeWorkflow('my-workflow', {
|
|||||||
- `hdiffFromIpa`: 从 IPA 文件生成 hdiff
|
- `hdiffFromIpa`: 从 IPA 文件生成 hdiff
|
||||||
|
|
||||||
### Version 模块 (`version`)
|
### Version 模块 (`version`)
|
||||||
|
|
||||||
- `publish`: 发布新版本
|
- `publish`: 发布新版本
|
||||||
- `versions`: 列出所有版本
|
- `versions`: 列出所有版本
|
||||||
- `update`: 更新版本信息
|
- `update`: 更新版本信息
|
||||||
- `updateVersionInfo`: 更新版本元数据
|
- `updateVersionInfo`: 更新版本元数据
|
||||||
|
|
||||||
### App 模块 (`app`)
|
### App 模块 (`app`)
|
||||||
|
|
||||||
- `createApp`: 创建新应用
|
- `createApp`: 创建新应用
|
||||||
- `apps`: 列出所有应用
|
- `apps`: 列出所有应用
|
||||||
- `selectApp`: 选择应用
|
- `selectApp`: 选择应用
|
||||||
- `deleteApp`: 删除应用
|
- `deleteApp`: 删除应用
|
||||||
|
|
||||||
### Package 模块 (`package`)
|
### Package 模块 (`package`)
|
||||||
- `uploadIpa`: 上传IPA文件
|
|
||||||
- `uploadApk`: 上传APK文件
|
- `uploadIpa`: 上传 IPA 文件(支持 `--version` 参数覆盖提取的版本)
|
||||||
- `uploadApp`: 上传APP文件
|
- `uploadApk`: 上传 APK 文件(支持 `--version` 参数覆盖提取的版本)
|
||||||
|
- `uploadApp`: 上传 APP 文件(支持 `--version` 参数覆盖提取的版本)
|
||||||
- `parseApp`: 解析 APP 文件信息
|
- `parseApp`: 解析 APP 文件信息
|
||||||
- `parseIpa`: 解析 IPA 文件信息
|
- `parseIpa`: 解析 IPA 文件信息
|
||||||
- `parseApk`: 解析 APK 文件信息
|
- `parseApk`: 解析 APK 文件信息
|
||||||
- `packages`: 列出包
|
- `packages`: 列出包
|
||||||
|
|
||||||
### User 模块 (`user`)
|
### User 模块 (`user`)
|
||||||
|
|
||||||
- `login`: 登录
|
- `login`: 登录
|
||||||
- `logout`: 登出
|
- `logout`: 登出
|
||||||
- `me`: 显示用户信息
|
- `me`: 显示用户信息
|
||||||
@@ -240,14 +249,20 @@ interface CLIProvider {
|
|||||||
upload(options: UploadOptions): Promise<CommandResult>;
|
upload(options: UploadOptions): Promise<CommandResult>;
|
||||||
|
|
||||||
// 应用管理
|
// 应用管理
|
||||||
getSelectedApp(platform?: Platform): Promise<{ appId: string; platform: Platform }>;
|
getSelectedApp(
|
||||||
|
platform?: Platform,
|
||||||
|
): Promise<{ appId: string; platform: Platform }>;
|
||||||
listApps(platform?: Platform): Promise<CommandResult>;
|
listApps(platform?: Platform): Promise<CommandResult>;
|
||||||
createApp(name: string, platform: Platform): Promise<CommandResult>;
|
createApp(name: string, platform: Platform): Promise<CommandResult>;
|
||||||
|
|
||||||
// 版本管理
|
// 版本管理
|
||||||
listVersions(appId: string): Promise<CommandResult>;
|
listVersions(appId: string): Promise<CommandResult>;
|
||||||
getVersion(appId: string, versionId: string): Promise<CommandResult>;
|
getVersion(appId: string, versionId: string): Promise<CommandResult>;
|
||||||
updateVersion(appId: string, versionId: string, updates: Partial<Version>): Promise<CommandResult>;
|
updateVersion(
|
||||||
|
appId: string,
|
||||||
|
versionId: string,
|
||||||
|
updates: Partial<Version>,
|
||||||
|
): Promise<CommandResult>;
|
||||||
|
|
||||||
// 包管理
|
// 包管理
|
||||||
listPackages(appId: string, platform?: Platform): Promise<CommandResult>;
|
listPackages(appId: string, platform?: Platform): Promise<CommandResult>;
|
||||||
@@ -261,7 +276,10 @@ interface CLIProvider {
|
|||||||
|
|
||||||
// 工作流
|
// 工作流
|
||||||
registerWorkflow(workflow: CustomWorkflow): void;
|
registerWorkflow(workflow: CustomWorkflow): void;
|
||||||
executeWorkflow(workflowName: string, context: CommandContext): Promise<CommandResult>;
|
executeWorkflow(
|
||||||
|
workflowName: string,
|
||||||
|
context: CommandContext,
|
||||||
|
): Promise<CommandResult>;
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -274,8 +292,8 @@ const bundleResult = await moduleManager.executeCommand('custom-bundle', {
|
|||||||
options: {
|
options: {
|
||||||
platform: 'android',
|
platform: 'android',
|
||||||
validate: true,
|
validate: true,
|
||||||
optimize: true
|
optimize: true,
|
||||||
}
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
// 生成差异文件
|
// 生成差异文件
|
||||||
@@ -284,8 +302,8 @@ const diffResult = await moduleManager.executeCommand('diff', {
|
|||||||
options: {
|
options: {
|
||||||
origin: './build/v1.0.0.ppk',
|
origin: './build/v1.0.0.ppk',
|
||||||
next: './build/v1.1.0.ppk',
|
next: './build/v1.1.0.ppk',
|
||||||
output: './build/diff.patch'
|
output: './build/diff.patch',
|
||||||
}
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
// 从APK文件生成差异
|
// 从APK文件生成差异
|
||||||
@@ -294,8 +312,8 @@ const apkDiffResult = await moduleManager.executeCommand('diffFromApk', {
|
|||||||
options: {
|
options: {
|
||||||
origin: './build/app-v1.0.0.apk',
|
origin: './build/app-v1.0.0.apk',
|
||||||
next: './build/app-v1.1.0.apk',
|
next: './build/app-v1.1.0.apk',
|
||||||
output: './build/apk-diff.patch'
|
output: './build/apk-diff.patch',
|
||||||
}
|
},
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
@@ -347,29 +365,31 @@ Provider提供了简洁的编程接口,适合在应用程序中集成React Nat
|
|||||||
### 📋 核心 API 方法
|
### 📋 核心 API 方法
|
||||||
|
|
||||||
#### 核心业务功能
|
#### 核心业务功能
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// 打包应用
|
// 打包应用
|
||||||
await provider.bundle({
|
await provider.bundle({
|
||||||
platform: 'ios',
|
platform: 'ios',
|
||||||
dev: false,
|
dev: false,
|
||||||
sourcemap: true
|
sourcemap: true,
|
||||||
});
|
});
|
||||||
|
|
||||||
// 发布版本
|
// 发布版本
|
||||||
await provider.publish({
|
await provider.publish({
|
||||||
name: 'v1.0.0',
|
name: 'v1.0.0',
|
||||||
description: 'Bug fixes',
|
description: 'Bug fixes',
|
||||||
rollout: 100
|
rollout: 100,
|
||||||
});
|
});
|
||||||
|
|
||||||
// 上传文件
|
// 上传文件
|
||||||
await provider.upload({
|
await provider.upload({
|
||||||
filePath: 'app.ipa',
|
filePath: 'app.ipa',
|
||||||
platform: 'ios'
|
platform: 'ios',
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
#### 应用管理
|
#### 应用管理
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// 创建应用
|
// 创建应用
|
||||||
await provider.createApp('MyApp', 'ios');
|
await provider.createApp('MyApp', 'ios');
|
||||||
@@ -382,6 +402,7 @@ const { appId, platform } = await provider.getSelectedApp('ios');
|
|||||||
```
|
```
|
||||||
|
|
||||||
#### 版本管理
|
#### 版本管理
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// 列出版本
|
// 列出版本
|
||||||
await provider.listVersions('app123');
|
await provider.listVersions('app123');
|
||||||
@@ -389,11 +410,12 @@ await provider.listVersions('app123');
|
|||||||
// 更新版本
|
// 更新版本
|
||||||
await provider.updateVersion('app123', 'version456', {
|
await provider.updateVersion('app123', 'version456', {
|
||||||
name: 'v1.1.0',
|
name: 'v1.1.0',
|
||||||
description: 'New features'
|
description: 'New features',
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
#### 工具函数
|
#### 工具函数
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// 获取平台
|
// 获取平台
|
||||||
const platform = await provider.getPlatform('ios');
|
const platform = await provider.getPlatform('ios');
|
||||||
@@ -405,6 +427,7 @@ const session = await provider.loadSession();
|
|||||||
### 🎯 使用场景
|
### 🎯 使用场景
|
||||||
|
|
||||||
#### 1. 自动化构建脚本
|
#### 1. 自动化构建脚本
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
import { moduleManager } from 'react-native-update-cli';
|
import { moduleManager } from 'react-native-update-cli';
|
||||||
|
|
||||||
@@ -415,7 +438,7 @@ async function buildAndPublish() {
|
|||||||
const bundleResult = await provider.bundle({
|
const bundleResult = await provider.bundle({
|
||||||
platform: 'ios',
|
platform: 'ios',
|
||||||
dev: false,
|
dev: false,
|
||||||
sourcemap: true
|
sourcemap: true,
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!bundleResult.success) {
|
if (!bundleResult.success) {
|
||||||
@@ -426,7 +449,7 @@ async function buildAndPublish() {
|
|||||||
const publishResult = await provider.publish({
|
const publishResult = await provider.publish({
|
||||||
name: 'v1.2.3',
|
name: 'v1.2.3',
|
||||||
description: 'Bug fixes and performance improvements',
|
description: 'Bug fixes and performance improvements',
|
||||||
rollout: 100
|
rollout: 100,
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!publishResult.success) {
|
if (!publishResult.success) {
|
||||||
@@ -438,6 +461,7 @@ async function buildAndPublish() {
|
|||||||
```
|
```
|
||||||
|
|
||||||
#### 2. CI/CD 集成
|
#### 2. CI/CD 集成
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
async function ciBuild() {
|
async function ciBuild() {
|
||||||
const provider = moduleManager.getProvider();
|
const provider = moduleManager.getProvider();
|
||||||
@@ -445,7 +469,7 @@ async function ciBuild() {
|
|||||||
const result = await provider.bundle({
|
const result = await provider.bundle({
|
||||||
platform: process.env.PLATFORM as 'ios' | 'android',
|
platform: process.env.PLATFORM as 'ios' | 'android',
|
||||||
dev: process.env.NODE_ENV !== 'production',
|
dev: process.env.NODE_ENV !== 'production',
|
||||||
sourcemap: process.env.NODE_ENV === 'production'
|
sourcemap: process.env.NODE_ENV === 'production',
|
||||||
});
|
});
|
||||||
|
|
||||||
return result;
|
return result;
|
||||||
@@ -453,6 +477,7 @@ async function ciBuild() {
|
|||||||
```
|
```
|
||||||
|
|
||||||
#### 3. 应用管理服务
|
#### 3. 应用管理服务
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
class AppManagementService {
|
class AppManagementService {
|
||||||
private provider = moduleManager.getProvider();
|
private provider = moduleManager.getProvider();
|
||||||
@@ -486,6 +511,7 @@ class AppManagementService {
|
|||||||
### 🔧 高级功能
|
### 🔧 高级功能
|
||||||
|
|
||||||
#### 自定义工作流
|
#### 自定义工作流
|
||||||
|
|
||||||
```typescript
|
```typescript
|
||||||
// 注册自定义工作流
|
// 注册自定义工作流
|
||||||
provider.registerWorkflow({
|
provider.registerWorkflow({
|
||||||
@@ -496,7 +522,7 @@ provider.registerWorkflow({
|
|||||||
name: 'bundle',
|
name: 'bundle',
|
||||||
execute: async () => {
|
execute: async () => {
|
||||||
return await provider.bundle({ platform: 'ios', dev: false });
|
return await provider.bundle({ platform: 'ios', dev: false });
|
||||||
}
|
},
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
name: 'publish',
|
name: 'publish',
|
||||||
@@ -505,9 +531,9 @@ provider.registerWorkflow({
|
|||||||
throw new Error('打包失败,无法发布');
|
throw new Error('打包失败,无法发布');
|
||||||
}
|
}
|
||||||
return await provider.publish({ name: 'auto-release', rollout: 50 });
|
return await provider.publish({ name: 'auto-release', rollout: 50 });
|
||||||
}
|
},
|
||||||
}
|
},
|
||||||
]
|
],
|
||||||
});
|
});
|
||||||
|
|
||||||
// 执行工作流
|
// 执行工作流
|
||||||
@@ -533,7 +559,7 @@ class ReactNativeUpdateService {
|
|||||||
const bundleResult = await this.provider.bundle({
|
const bundleResult = await this.provider.bundle({
|
||||||
platform,
|
platform,
|
||||||
dev: false,
|
dev: false,
|
||||||
sourcemap: true
|
sourcemap: true,
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!bundleResult.success) {
|
if (!bundleResult.success) {
|
||||||
@@ -544,7 +570,7 @@ class ReactNativeUpdateService {
|
|||||||
const publishResult = await this.provider.publish({
|
const publishResult = await this.provider.publish({
|
||||||
name: version,
|
name: version,
|
||||||
description: `Release ${version}`,
|
description: `Release ${version}`,
|
||||||
rollout: 100
|
rollout: 100,
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!publishResult.success) {
|
if (!publishResult.success) {
|
||||||
@@ -552,11 +578,10 @@ class ReactNativeUpdateService {
|
|||||||
}
|
}
|
||||||
|
|
||||||
return { success: true, data: publishResult.data };
|
return { success: true, data: publishResult.data };
|
||||||
|
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
return {
|
return {
|
||||||
success: false,
|
success: false,
|
||||||
error: error instanceof Error ? error.message : 'Unknown error'
|
error: error instanceof Error ? error.message : 'Unknown error',
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
37
cli.json
37
cli.json
@@ -31,9 +31,27 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"uploadIpa": {},
|
"uploadIpa": {
|
||||||
"uploadApk": {},
|
"options": {
|
||||||
"uploadApp": {},
|
"version": {
|
||||||
|
"hasValue": true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uploadApk": {
|
||||||
|
"options": {
|
||||||
|
"version": {
|
||||||
|
"hasValue": true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"uploadApp": {
|
||||||
|
"options": {
|
||||||
|
"version": {
|
||||||
|
"hasValue": true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"parseApp": {},
|
"parseApp": {},
|
||||||
"parseIpa": {},
|
"parseIpa": {},
|
||||||
"parseApk": {},
|
"parseApk": {},
|
||||||
@@ -44,6 +62,19 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"deletePackage": {
|
||||||
|
"options": {
|
||||||
|
"appId": {
|
||||||
|
"hasValue": true
|
||||||
|
},
|
||||||
|
"packageVersion": {
|
||||||
|
"hasValue": true
|
||||||
|
},
|
||||||
|
"packageId": {
|
||||||
|
"hasValue": true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"publish": {
|
"publish": {
|
||||||
"options": {
|
"options": {
|
||||||
"platform": {
|
"platform": {
|
||||||
|
|||||||
53
example/USAGE_CUSTOM_VERSION.md
Normal file
53
example/USAGE_CUSTOM_VERSION.md
Normal file
@@ -0,0 +1,53 @@
|
|||||||
|
# Custom Version Parameter Usage
|
||||||
|
|
||||||
|
This document demonstrates how to use the `--version` parameter with upload commands to override the version extracted from APK/IPA/APP files.
|
||||||
|
|
||||||
|
## Commands Supporting Custom Version
|
||||||
|
|
||||||
|
- `uploadApk --version <version>`
|
||||||
|
- `uploadIpa --version <version>`
|
||||||
|
- `uploadApp --version <version>`
|
||||||
|
|
||||||
|
## Usage Examples
|
||||||
|
|
||||||
|
### Upload APK with Custom Version
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Upload APK and override version to "1.2.3-custom"
|
||||||
|
cresc uploadApk app-release.apk --version "1.2.3-custom"
|
||||||
|
```
|
||||||
|
|
||||||
|
### Upload IPA with Custom Version
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Upload IPA and override version to "2.0.0-beta"
|
||||||
|
cresc uploadIpa MyApp.ipa --version "2.0.0-beta"
|
||||||
|
```
|
||||||
|
|
||||||
|
### Upload APP with Custom Version
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Upload APP and override version to "3.1.0-harmony"
|
||||||
|
cresc uploadApp MyApp.app --version "3.1.0-harmony"
|
||||||
|
```
|
||||||
|
|
||||||
|
## Behavior
|
||||||
|
|
||||||
|
1. **Without `--version`**: The command uses the version extracted from the package file (APK/IPA/APP)
|
||||||
|
2. **With `--version`**: The command uses the provided custom version instead of the extracted version
|
||||||
|
3. **Console Output**: When using a custom version, the CLI will display "Using custom version: <version>" message
|
||||||
|
|
||||||
|
## Use Cases
|
||||||
|
|
||||||
|
- **Testing**: Upload test builds with specific version identifiers
|
||||||
|
- **Hotfixes**: Override version numbers for emergency releases
|
||||||
|
- **Version Alignment**: Ensure consistent versioning across different platforms
|
||||||
|
- **Manual Override**: When the extracted version is incorrect or inappropriate
|
||||||
|
|
||||||
|
## Example Output
|
||||||
|
|
||||||
|
```
|
||||||
|
$ cresc uploadApk app-release.apk --version "1.2.3-hotfix"
|
||||||
|
Using custom version: 1.2.3-hotfix
|
||||||
|
Successfully uploaded APK native package (id: 12345, version: 1.2.3-hotfix, buildTime: 2024-01-15T10:30:00Z)
|
||||||
|
```
|
||||||
@@ -1,6 +1,6 @@
|
|||||||
{
|
{
|
||||||
"name": "react-native-update-cli",
|
"name": "react-native-update-cli",
|
||||||
"version": "2.0.0",
|
"version": "2.2.2",
|
||||||
"description": "command line tool for react-native-update (remote updates for react native)",
|
"description": "command line tool for react-native-update (remote updates for react native)",
|
||||||
"main": "index.js",
|
"main": "index.js",
|
||||||
"bin": {
|
"bin": {
|
||||||
|
|||||||
13
src/api.ts
13
src/api.ts
@@ -10,18 +10,16 @@ import packageJson from '../package.json';
|
|||||||
import type { Package, Session } from './types';
|
import type { Package, Session } from './types';
|
||||||
import {
|
import {
|
||||||
credentialFile,
|
credentialFile,
|
||||||
defaultEndpoint,
|
|
||||||
pricingPageUrl,
|
pricingPageUrl,
|
||||||
} from './utils/constants';
|
} from './utils/constants';
|
||||||
import { t } from './utils/i18n';
|
import { t } from './utils/i18n';
|
||||||
|
import { getBaseUrl } from 'utils/http-helper';
|
||||||
|
|
||||||
const tcpPing = util.promisify(tcpp.ping);
|
const tcpPing = util.promisify(tcpp.ping);
|
||||||
|
|
||||||
let session: Session | undefined;
|
let session: Session | undefined;
|
||||||
let savedSession: Session | undefined;
|
let savedSession: Session | undefined;
|
||||||
|
|
||||||
const host =
|
|
||||||
process.env.PUSHY_REGISTRY || process.env.RNU_API || defaultEndpoint;
|
|
||||||
|
|
||||||
const userAgent = `react-native-update-cli/${packageJson.version}`;
|
const userAgent = `react-native-update-cli/${packageJson.version}`;
|
||||||
|
|
||||||
@@ -64,7 +62,9 @@ export const closeSession = () => {
|
|||||||
};
|
};
|
||||||
|
|
||||||
async function query(url: string, options: fetch.RequestInit) {
|
async function query(url: string, options: fetch.RequestInit) {
|
||||||
const resp = await fetch(url, options);
|
const baseUrl = await getBaseUrl;
|
||||||
|
const fullUrl = `${baseUrl}${url}`;
|
||||||
|
const resp = await fetch(fullUrl, options);
|
||||||
const text = await resp.text();
|
const text = await resp.text();
|
||||||
let json: any;
|
let json: any;
|
||||||
try {
|
try {
|
||||||
@@ -83,7 +83,7 @@ async function query(url: string, options: fetch.RequestInit) {
|
|||||||
|
|
||||||
function queryWithoutBody(method: string) {
|
function queryWithoutBody(method: string) {
|
||||||
return (api: string) =>
|
return (api: string) =>
|
||||||
query(host + api, {
|
query(api, {
|
||||||
method,
|
method,
|
||||||
headers: {
|
headers: {
|
||||||
'User-Agent': userAgent,
|
'User-Agent': userAgent,
|
||||||
@@ -94,7 +94,7 @@ function queryWithoutBody(method: string) {
|
|||||||
|
|
||||||
function queryWithBody(method: string) {
|
function queryWithBody(method: string) {
|
||||||
return (api: string, body?: Record<string, any>) =>
|
return (api: string, body?: Record<string, any>) =>
|
||||||
query(host + api, {
|
query(api, {
|
||||||
method,
|
method,
|
||||||
headers: {
|
headers: {
|
||||||
'User-Agent': userAgent,
|
'User-Agent': userAgent,
|
||||||
@@ -116,6 +116,7 @@ export async function uploadFile(fn: string, key?: string) {
|
|||||||
});
|
});
|
||||||
let realUrl = url;
|
let realUrl = url;
|
||||||
if (backupUrl) {
|
if (backupUrl) {
|
||||||
|
// @ts-ignore
|
||||||
if (global.USE_ACC_OSS) {
|
if (global.USE_ACC_OSS) {
|
||||||
realUrl = backupUrl;
|
realUrl = backupUrl;
|
||||||
} else {
|
} else {
|
||||||
|
|||||||
@@ -75,15 +75,12 @@ async function runReactNativeBundleCommand({
|
|||||||
const envArgs = process.env.PUSHY_ENV_ARGS;
|
const envArgs = process.env.PUSHY_ENV_ARGS;
|
||||||
|
|
||||||
if (envArgs) {
|
if (envArgs) {
|
||||||
Array.prototype.push.apply(
|
reactNativeBundleArgs.push(...envArgs.trim().split(/\s+/));
|
||||||
reactNativeBundleArgs,
|
|
||||||
envArgs.trim().split(/\s+/),
|
|
||||||
);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
fs.emptyDirSync(outputFolder);
|
fs.emptyDirSync(outputFolder);
|
||||||
|
|
||||||
let cliPath: string | undefined;
|
let cliPath = '';
|
||||||
let usingExpo = false;
|
let usingExpo = false;
|
||||||
|
|
||||||
const getExpoCli = () => {
|
const getExpoCli = () => {
|
||||||
@@ -104,7 +101,7 @@ async function runReactNativeBundleCommand({
|
|||||||
if (satisfies(expoCliVersion, '>= 0.10.17')) {
|
if (satisfies(expoCliVersion, '>= 0.10.17')) {
|
||||||
usingExpo = true;
|
usingExpo = true;
|
||||||
} else {
|
} else {
|
||||||
cliPath = undefined;
|
cliPath = '';
|
||||||
}
|
}
|
||||||
} catch (e) {}
|
} catch (e) {}
|
||||||
};
|
};
|
||||||
@@ -166,40 +163,24 @@ async function runReactNativeBundleCommand({
|
|||||||
bundleCommand = 'build';
|
bundleCommand = 'build';
|
||||||
}
|
}
|
||||||
|
|
||||||
if (platform === 'harmony') {
|
reactNativeBundleArgs.push(cliPath, bundleCommand);
|
||||||
Array.prototype.push.apply(reactNativeBundleArgs, [
|
|
||||||
cliPath,
|
|
||||||
bundleCommand,
|
|
||||||
'--dev',
|
|
||||||
dev,
|
|
||||||
'--entry-file',
|
|
||||||
entryFile,
|
|
||||||
]);
|
|
||||||
|
|
||||||
if (sourcemapOutput) {
|
if (platform !== 'harmony') {
|
||||||
reactNativeBundleArgs.push('--sourcemap-output', sourcemapOutput);
|
reactNativeBundleArgs.push(
|
||||||
}
|
'--platform',
|
||||||
|
platform,
|
||||||
if (config) {
|
|
||||||
reactNativeBundleArgs.push('--config', config);
|
|
||||||
}
|
|
||||||
} else {
|
|
||||||
Array.prototype.push.apply(reactNativeBundleArgs, [
|
|
||||||
cliPath,
|
|
||||||
bundleCommand,
|
|
||||||
'--assets-dest',
|
'--assets-dest',
|
||||||
outputFolder,
|
outputFolder,
|
||||||
'--bundle-output',
|
'--bundle-output',
|
||||||
path.join(outputFolder, bundleName),
|
path.join(outputFolder, bundleName),
|
||||||
'--platform',
|
|
||||||
platform,
|
|
||||||
'--reset-cache',
|
'--reset-cache',
|
||||||
]);
|
);
|
||||||
|
}
|
||||||
|
|
||||||
if (cli.taro) {
|
if (cli.taro) {
|
||||||
reactNativeBundleArgs.push(...['--type', 'rn']);
|
reactNativeBundleArgs.push('--type', 'rn');
|
||||||
} else {
|
} else {
|
||||||
reactNativeBundleArgs.push(...['--dev', dev, '--entry-file', entryFile]);
|
reactNativeBundleArgs.push('--dev', dev, '--entry-file', entryFile);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (sourcemapOutput) {
|
if (sourcemapOutput) {
|
||||||
@@ -209,7 +190,6 @@ async function runReactNativeBundleCommand({
|
|||||||
if (config) {
|
if (config) {
|
||||||
reactNativeBundleArgs.push('--config', config);
|
reactNativeBundleArgs.push('--config', config);
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
||||||
const reactNativeBundleProcess = spawn('node', reactNativeBundleArgs);
|
const reactNativeBundleProcess = spawn('node', reactNativeBundleArgs);
|
||||||
console.log(
|
console.log(
|
||||||
@@ -597,6 +577,7 @@ async function diffFromPPK(origin: string, next: string, output: string) {
|
|||||||
}
|
}
|
||||||
|
|
||||||
const copies = {};
|
const copies = {};
|
||||||
|
const copiesv2 = {};
|
||||||
|
|
||||||
const zipfile = new YazlZipFile();
|
const zipfile = new YazlZipFile();
|
||||||
|
|
||||||
@@ -668,6 +649,7 @@ async function diffFromPPK(origin: string, next: string, output: string) {
|
|||||||
addEntry(base);
|
addEntry(base);
|
||||||
}
|
}
|
||||||
copies[entry.fileName] = originMap[entry.crc32];
|
copies[entry.fileName] = originMap[entry.crc32];
|
||||||
|
copiesv2[entry.crc32] = entry.fileName;
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -700,7 +682,7 @@ async function diffFromPPK(origin: string, next: string, output: string) {
|
|||||||
|
|
||||||
//console.log({copies, deletes});
|
//console.log({copies, deletes});
|
||||||
zipfile.addBuffer(
|
zipfile.addBuffer(
|
||||||
Buffer.from(JSON.stringify({ copies, deletes })),
|
Buffer.from(JSON.stringify({ copies, copiesv2, deletes })),
|
||||||
'__diff.json',
|
'__diff.json',
|
||||||
);
|
);
|
||||||
zipfile.end();
|
zipfile.end();
|
||||||
@@ -747,6 +729,7 @@ async function diffFromPackage(
|
|||||||
}
|
}
|
||||||
|
|
||||||
const copies = {};
|
const copies = {};
|
||||||
|
const copiesv2 = {};
|
||||||
|
|
||||||
const zipfile = new YazlZipFile();
|
const zipfile = new YazlZipFile();
|
||||||
|
|
||||||
@@ -792,6 +775,7 @@ async function diffFromPackage(
|
|||||||
// If moved from other place
|
// If moved from other place
|
||||||
if (originMap[entry.crc32]) {
|
if (originMap[entry.crc32]) {
|
||||||
copies[entry.fileName] = originMap[entry.crc32];
|
copies[entry.fileName] = originMap[entry.crc32];
|
||||||
|
copiesv2[entry.crc32] = entry.fileName;
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -810,7 +794,10 @@ async function diffFromPackage(
|
|||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
|
||||||
zipfile.addBuffer(Buffer.from(JSON.stringify({ copies })), '__diff.json');
|
zipfile.addBuffer(
|
||||||
|
Buffer.from(JSON.stringify({ copies, copiesv2 })),
|
||||||
|
'__diff.json',
|
||||||
|
);
|
||||||
zipfile.end();
|
zipfile.end();
|
||||||
await writePromise;
|
await writePromise;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -130,4 +130,11 @@ This can reduce the risk of inconsistent dependencies and supply chain attacks.
|
|||||||
updateNativePackageQuestion: 'Bind to native package now?(Y/N)',
|
updateNativePackageQuestion: 'Bind to native package now?(Y/N)',
|
||||||
unnamed: '(Unnamed)',
|
unnamed: '(Unnamed)',
|
||||||
dryRun: 'Below is the dry-run result, no actual operation will be performed:',
|
dryRun: 'Below is the dry-run result, no actual operation will be performed:',
|
||||||
|
usingCustomVersion: 'Using custom version: {{version}}',
|
||||||
|
confirmDeletePackage:
|
||||||
|
'Confirm delete native package {{packageId}}? This operation cannot be undone (Y/N):',
|
||||||
|
deletePackageSuccess: 'Native package {{packageId}} deleted successfully',
|
||||||
|
deletePackageError:
|
||||||
|
'Failed to delete native package {{packageId}}: {{error}}',
|
||||||
|
usageDeletePackage: 'Usage: cresc deletePackage [packageId] --appId [appId]',
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -123,4 +123,10 @@ export default {
|
|||||||
updateNativePackageQuestion: '是否现在将此热更应用到原生包上?(Y/N)',
|
updateNativePackageQuestion: '是否现在将此热更应用到原生包上?(Y/N)',
|
||||||
unnamed: '(未命名)',
|
unnamed: '(未命名)',
|
||||||
dryRun: '以下是 dry-run 模拟运行结果,不会实际执行任何操作:',
|
dryRun: '以下是 dry-run 模拟运行结果,不会实际执行任何操作:',
|
||||||
|
usingCustomVersion: '使用自定义版本:{{version}}',
|
||||||
|
confirmDeletePackage: '确认删除原生包 {{packageId}}? 此操作不可撤销 (Y/N):',
|
||||||
|
deletePackageSuccess: '原生包 {{packageId}} 删除成功',
|
||||||
|
deletePackageError: '删除原生包 {{packageId}} 失败: {{error}}',
|
||||||
|
usageDeletePackage:
|
||||||
|
'使用方法: pushy deletePackage [packageId] --appId [appId]',
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -39,9 +39,9 @@ export class ModuleManager {
|
|||||||
module.init(this.provider);
|
module.init(this.provider);
|
||||||
}
|
}
|
||||||
|
|
||||||
console.log(
|
// console.log(
|
||||||
`Module '${module.name}' (v${module.version}) registered successfully`,
|
// `Module '${module.name}' (v${module.version}) registered successfully`,
|
||||||
);
|
// );
|
||||||
}
|
}
|
||||||
|
|
||||||
unregisterModule(moduleName: string): void {
|
unregisterModule(moduleName: string): void {
|
||||||
|
|||||||
122
src/package.ts
122
src/package.ts
@@ -1,4 +1,4 @@
|
|||||||
import { get, getAllPackages, post, uploadFile } from './api';
|
import { get, getAllPackages, post, uploadFile, doDelete } from './api';
|
||||||
import { question, saveToLocal } from './utils';
|
import { question, saveToLocal } from './utils';
|
||||||
import { t } from './utils/i18n';
|
import { t } from './utils/i18n';
|
||||||
|
|
||||||
@@ -25,7 +25,7 @@ export async function listPackage(appId: string) {
|
|||||||
const versionObj = version as any;
|
const versionObj = version as any;
|
||||||
versionInfo = t('boundTo', {
|
versionInfo = t('boundTo', {
|
||||||
name: versionObj.name || version,
|
name: versionObj.name || version,
|
||||||
id: versionObj.id || version
|
id: versionObj.id || version,
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
let output = pkg.name;
|
let output = pkg.name;
|
||||||
@@ -57,16 +57,19 @@ export async function choosePackage(appId: string) {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export const packageCommands = {
|
export const packageCommands = {
|
||||||
uploadIpa: async ({ args }: { args: string[] }) => {
|
uploadIpa: async ({
|
||||||
|
args,
|
||||||
|
options,
|
||||||
|
}: {
|
||||||
|
args: string[];
|
||||||
|
options: Record<string, any>;
|
||||||
|
}) => {
|
||||||
const fn = args[0];
|
const fn = args[0];
|
||||||
if (!fn || !fn.endsWith('.ipa')) {
|
if (!fn || !fn.endsWith('.ipa')) {
|
||||||
throw new Error(t('usageUploadIpa'));
|
throw new Error(t('usageUploadIpa'));
|
||||||
}
|
}
|
||||||
const ipaInfo = await getIpaInfo(fn);
|
const ipaInfo = await getIpaInfo(fn);
|
||||||
const {
|
const { versionName: extractedVersionName, buildTime } = ipaInfo;
|
||||||
versionName,
|
|
||||||
buildTime,
|
|
||||||
} = ipaInfo;
|
|
||||||
const appIdInPkg = (ipaInfo as any).appId;
|
const appIdInPkg = (ipaInfo as any).appId;
|
||||||
const appKeyInPkg = (ipaInfo as any).appKey;
|
const appKeyInPkg = (ipaInfo as any).appKey;
|
||||||
const { appId, appKey } = await getSelectedApp('ios');
|
const { appId, appKey } = await getSelectedApp('ios');
|
||||||
@@ -79,6 +82,12 @@ export const packageCommands = {
|
|||||||
throw new Error(t('appKeyMismatchIpa', { appKeyInPkg, appKey }));
|
throw new Error(t('appKeyMismatchIpa', { appKeyInPkg, appKey }));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Use custom version if provided, otherwise use extracted version
|
||||||
|
const versionName = options.version || extractedVersionName;
|
||||||
|
if (options.version) {
|
||||||
|
console.log(t('usingCustomVersion', { version: versionName }));
|
||||||
|
}
|
||||||
|
|
||||||
const { hash } = await uploadFile(fn);
|
const { hash } = await uploadFile(fn);
|
||||||
|
|
||||||
const { id } = await post(`/app/${appId}/package/create`, {
|
const { id } = await post(`/app/${appId}/package/create`, {
|
||||||
@@ -89,20 +98,21 @@ export const packageCommands = {
|
|||||||
commit: await getCommitInfo(),
|
commit: await getCommitInfo(),
|
||||||
});
|
});
|
||||||
saveToLocal(fn, `${appId}/package/${id}.ipa`);
|
saveToLocal(fn, `${appId}/package/${id}.ipa`);
|
||||||
console.log(
|
console.log(t('ipaUploadSuccess', { id, version: versionName, buildTime }));
|
||||||
t('ipaUploadSuccess', { id, version: versionName, buildTime }),
|
|
||||||
);
|
|
||||||
},
|
},
|
||||||
uploadApk: async ({ args }: { args: string[] }) => {
|
uploadApk: async ({
|
||||||
|
args,
|
||||||
|
options,
|
||||||
|
}: {
|
||||||
|
args: string[];
|
||||||
|
options: Record<string, any>;
|
||||||
|
}) => {
|
||||||
const fn = args[0];
|
const fn = args[0];
|
||||||
if (!fn || !fn.endsWith('.apk')) {
|
if (!fn || !fn.endsWith('.apk')) {
|
||||||
throw new Error(t('usageUploadApk'));
|
throw new Error(t('usageUploadApk'));
|
||||||
}
|
}
|
||||||
const apkInfo = await getApkInfo(fn);
|
const apkInfo = await getApkInfo(fn);
|
||||||
const {
|
const { versionName: extractedVersionName, buildTime } = apkInfo;
|
||||||
versionName,
|
|
||||||
buildTime,
|
|
||||||
} = apkInfo;
|
|
||||||
const appIdInPkg = (apkInfo as any).appId;
|
const appIdInPkg = (apkInfo as any).appId;
|
||||||
const appKeyInPkg = (apkInfo as any).appKey;
|
const appKeyInPkg = (apkInfo as any).appKey;
|
||||||
const { appId, appKey } = await getSelectedApp('android');
|
const { appId, appKey } = await getSelectedApp('android');
|
||||||
@@ -115,6 +125,12 @@ export const packageCommands = {
|
|||||||
throw new Error(t('appKeyMismatchApk', { appKeyInPkg, appKey }));
|
throw new Error(t('appKeyMismatchApk', { appKeyInPkg, appKey }));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Use custom version if provided, otherwise use extracted version
|
||||||
|
const versionName = options.version || extractedVersionName;
|
||||||
|
if (options.version) {
|
||||||
|
console.log(t('usingCustomVersion', { version: versionName }));
|
||||||
|
}
|
||||||
|
|
||||||
const { hash } = await uploadFile(fn);
|
const { hash } = await uploadFile(fn);
|
||||||
|
|
||||||
const { id } = await post(`/app/${appId}/package/create`, {
|
const { id } = await post(`/app/${appId}/package/create`, {
|
||||||
@@ -125,20 +141,21 @@ export const packageCommands = {
|
|||||||
commit: await getCommitInfo(),
|
commit: await getCommitInfo(),
|
||||||
});
|
});
|
||||||
saveToLocal(fn, `${appId}/package/${id}.apk`);
|
saveToLocal(fn, `${appId}/package/${id}.apk`);
|
||||||
console.log(
|
console.log(t('apkUploadSuccess', { id, version: versionName, buildTime }));
|
||||||
t('apkUploadSuccess', { id, version: versionName, buildTime }),
|
|
||||||
);
|
|
||||||
},
|
},
|
||||||
uploadApp: async ({ args }: { args: string[] }) => {
|
uploadApp: async ({
|
||||||
|
args,
|
||||||
|
options,
|
||||||
|
}: {
|
||||||
|
args: string[];
|
||||||
|
options: Record<string, any>;
|
||||||
|
}) => {
|
||||||
const fn = args[0];
|
const fn = args[0];
|
||||||
if (!fn || !fn.endsWith('.app')) {
|
if (!fn || !fn.endsWith('.app')) {
|
||||||
throw new Error(t('usageUploadApp'));
|
throw new Error(t('usageUploadApp'));
|
||||||
}
|
}
|
||||||
const appInfo = await getAppInfo(fn);
|
const appInfo = await getAppInfo(fn);
|
||||||
const {
|
const { versionName: extractedVersionName, buildTime } = appInfo;
|
||||||
versionName,
|
|
||||||
buildTime,
|
|
||||||
} = appInfo;
|
|
||||||
const appIdInPkg = (appInfo as any).appId;
|
const appIdInPkg = (appInfo as any).appId;
|
||||||
const appKeyInPkg = (appInfo as any).appKey;
|
const appKeyInPkg = (appInfo as any).appKey;
|
||||||
const { appId, appKey } = await getSelectedApp('harmony');
|
const { appId, appKey } = await getSelectedApp('harmony');
|
||||||
@@ -151,6 +168,12 @@ export const packageCommands = {
|
|||||||
throw new Error(t('appKeyMismatchApp', { appKeyInPkg, appKey }));
|
throw new Error(t('appKeyMismatchApp', { appKeyInPkg, appKey }));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Use custom version if provided, otherwise use extracted version
|
||||||
|
const versionName = options.version || extractedVersionName;
|
||||||
|
if (options.version) {
|
||||||
|
console.log(t('usingCustomVersion', { version: versionName }));
|
||||||
|
}
|
||||||
|
|
||||||
const { hash } = await uploadFile(fn);
|
const { hash } = await uploadFile(fn);
|
||||||
|
|
||||||
const { id } = await post(`/app/${appId}/package/create`, {
|
const { id } = await post(`/app/${appId}/package/create`, {
|
||||||
@@ -161,9 +184,7 @@ export const packageCommands = {
|
|||||||
commit: await getCommitInfo(),
|
commit: await getCommitInfo(),
|
||||||
});
|
});
|
||||||
saveToLocal(fn, `${appId}/package/${id}.app`);
|
saveToLocal(fn, `${appId}/package/${id}.app`);
|
||||||
console.log(
|
console.log(t('appUploadSuccess', { id, version: versionName, buildTime }));
|
||||||
t('appUploadSuccess', { id, version: versionName, buildTime }),
|
|
||||||
);
|
|
||||||
},
|
},
|
||||||
parseApp: async ({ args }: { args: string[] }) => {
|
parseApp: async ({ args }: { args: string[] }) => {
|
||||||
const fn = args[0];
|
const fn = args[0];
|
||||||
@@ -191,4 +212,53 @@ export const packageCommands = {
|
|||||||
const { appId } = await getSelectedApp(platform);
|
const { appId } = await getSelectedApp(platform);
|
||||||
await listPackage(appId);
|
await listPackage(appId);
|
||||||
},
|
},
|
||||||
|
deletePackage: async ({
|
||||||
|
args,
|
||||||
|
options,
|
||||||
|
}: {
|
||||||
|
args: string[];
|
||||||
|
options: { appId?: string, packageId?: string, packageVersion?: string };
|
||||||
|
}) => {
|
||||||
|
let { appId, packageId, packageVersion } = options;
|
||||||
|
|
||||||
|
if (!appId) {
|
||||||
|
const platform = await getPlatform();
|
||||||
|
appId = (await getSelectedApp(platform)).appId as string;
|
||||||
|
}
|
||||||
|
|
||||||
|
// If no packageId provided as argument, let user choose from list
|
||||||
|
if (!packageId) {
|
||||||
|
const allPkgs = await getAllPackages(appId);
|
||||||
|
if (!allPkgs) {
|
||||||
|
throw new Error(t('noPackagesFound', { appId }));
|
||||||
|
}
|
||||||
|
const selectedPackage = allPkgs.find((pkg) => pkg.name === packageVersion);
|
||||||
|
if (!selectedPackage) {
|
||||||
|
throw new Error(t('packageNotFound', { packageVersion }));
|
||||||
|
}
|
||||||
|
packageId = selectedPackage.id;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Confirm deletion
|
||||||
|
// const confirmDelete = await question(
|
||||||
|
// t('confirmDeletePackage', { packageId }),
|
||||||
|
// );
|
||||||
|
|
||||||
|
// if (
|
||||||
|
// confirmDelete.toLowerCase() !== 'y' &&
|
||||||
|
// confirmDelete.toLowerCase() !== 'yes'
|
||||||
|
// ) {
|
||||||
|
// console.log(t('cancelled'));
|
||||||
|
// return;
|
||||||
|
// }
|
||||||
|
|
||||||
|
try {
|
||||||
|
await doDelete(`/app/${appId}/package/${packageId}`);
|
||||||
|
console.log(t('deletePackageSuccess', { packageId }));
|
||||||
|
} catch (error: any) {
|
||||||
|
throw new Error(
|
||||||
|
t('deletePackageError', { packageId, error: error.message }),
|
||||||
|
);
|
||||||
|
}
|
||||||
|
},
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -110,7 +110,7 @@ export class CLIProviderImpl implements CLIProvider {
|
|||||||
|
|
||||||
const context: CommandContext = {
|
const context: CommandContext = {
|
||||||
args: [filePath],
|
args: [filePath],
|
||||||
options: { platform, appId },
|
options: { platform, appId, version: options.version },
|
||||||
};
|
};
|
||||||
|
|
||||||
const { packageCommands } = await import('./package');
|
const { packageCommands } = await import('./package');
|
||||||
|
|||||||
@@ -85,6 +85,7 @@ export interface UploadOptions {
|
|||||||
platform?: Platform;
|
platform?: Platform;
|
||||||
filePath: string;
|
filePath: string;
|
||||||
appId?: string;
|
appId?: string;
|
||||||
|
version?: string;
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface WorkflowStep {
|
export interface WorkflowStep {
|
||||||
|
|||||||
@@ -10,6 +10,6 @@ export const pricingPageUrl = IS_CRESC
|
|||||||
? 'https://cresc.dev/pricing'
|
? 'https://cresc.dev/pricing'
|
||||||
: 'https://pushy.reactnative.cn/pricing.html';
|
: 'https://pushy.reactnative.cn/pricing.html';
|
||||||
|
|
||||||
export const defaultEndpoint = IS_CRESC
|
export const defaultEndpoints = IS_CRESC
|
||||||
? 'https://api.cresc.dev'
|
? ['https://api.cresc.dev', 'https://api.cresc.app']
|
||||||
: 'https://update.reactnative.cn/api';
|
: ['https://update.reactnative.cn/api', 'https://update.react-native.cn/api'];
|
||||||
|
|||||||
@@ -1,4 +1,9 @@
|
|||||||
const currentPackage = require(`${process.cwd()}/package.json`);
|
let currentPackage = null;
|
||||||
|
try {
|
||||||
|
currentPackage = require(`${process.cwd()}/package.json`);
|
||||||
|
} catch (e) {
|
||||||
|
// console.warn('No package.json file were found');
|
||||||
|
}
|
||||||
|
|
||||||
const _depVersions: Record<string, string> = {};
|
const _depVersions: Record<string, string> = {};
|
||||||
|
|
||||||
@@ -24,12 +29,9 @@ if (currentPackage) {
|
|||||||
|
|
||||||
export const depVersions = Object.keys(_depVersions)
|
export const depVersions = Object.keys(_depVersions)
|
||||||
.sort() // Sort the keys alphabetically
|
.sort() // Sort the keys alphabetically
|
||||||
.reduce(
|
.reduce((obj, key) => {
|
||||||
(obj, key) => {
|
|
||||||
obj[key] = _depVersions[key]; // Rebuild the object with sorted keys
|
obj[key] = _depVersions[key]; // Rebuild the object with sorted keys
|
||||||
return obj;
|
return obj;
|
||||||
},
|
}, {} as Record<string, string>);
|
||||||
{} as Record<string, string>,
|
|
||||||
);
|
|
||||||
|
|
||||||
// console.log({ depVersions });
|
// console.log({ depVersions });
|
||||||
|
|||||||
83
src/utils/http-helper.ts
Normal file
83
src/utils/http-helper.ts
Normal file
@@ -0,0 +1,83 @@
|
|||||||
|
import { defaultEndpoints } from './constants';
|
||||||
|
|
||||||
|
// const baseUrl = `http://localhost:9000`;
|
||||||
|
// let baseUrl = SERVER.main[0];
|
||||||
|
// const baseUrl = `https://p.reactnative.cn/api`;
|
||||||
|
|
||||||
|
export function promiseAny<T>(promises: Promise<T>[]) {
|
||||||
|
return new Promise<T>((resolve, reject) => {
|
||||||
|
let count = 0;
|
||||||
|
|
||||||
|
for (const promise of promises) {
|
||||||
|
Promise.resolve(promise)
|
||||||
|
.then(resolve)
|
||||||
|
.catch(() => {
|
||||||
|
count++;
|
||||||
|
if (count === promises.length) {
|
||||||
|
reject(new Error('All promises were rejected'));
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
export const ping = async (url: string) => {
|
||||||
|
let pingFinished = false;
|
||||||
|
return Promise.race([
|
||||||
|
fetch(url, {
|
||||||
|
method: 'HEAD',
|
||||||
|
})
|
||||||
|
.then(({ status, statusText }) => {
|
||||||
|
pingFinished = true;
|
||||||
|
if (status === 200) {
|
||||||
|
// console.log('ping success', url);
|
||||||
|
return url;
|
||||||
|
}
|
||||||
|
// console.log('ping failed', url, status, statusText);
|
||||||
|
throw new Error('ping failed');
|
||||||
|
})
|
||||||
|
.catch((e) => {
|
||||||
|
pingFinished = true;
|
||||||
|
// console.log('ping error', url, e);
|
||||||
|
throw new Error('ping error');
|
||||||
|
}),
|
||||||
|
new Promise((_, reject) =>
|
||||||
|
setTimeout(() => {
|
||||||
|
reject(new Error('ping timeout'));
|
||||||
|
if (!pingFinished) {
|
||||||
|
// console.log('ping timeout', url);
|
||||||
|
}
|
||||||
|
}, 2000),
|
||||||
|
),
|
||||||
|
]) as Promise<string | null>;
|
||||||
|
};
|
||||||
|
|
||||||
|
export const testUrls = async (urls?: string[]) => {
|
||||||
|
if (!urls?.length) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
const ret = await promiseAny(urls.map(ping));
|
||||||
|
if (ret) {
|
||||||
|
return ret;
|
||||||
|
}
|
||||||
|
// console.log('all ping failed, use first url:', urls[0]);
|
||||||
|
return urls[0];
|
||||||
|
};
|
||||||
|
|
||||||
|
export const getBaseUrl = (async () => {
|
||||||
|
const testEndpoint = process.env.PUSHY_REGISTRY || process.env.RNU_API;
|
||||||
|
if (testEndpoint) {
|
||||||
|
return testEndpoint;
|
||||||
|
}
|
||||||
|
return testUrls(defaultEndpoints.map((url) => `${url}/status`)).then(
|
||||||
|
(ret) => {
|
||||||
|
let baseUrl = defaultEndpoints[0];
|
||||||
|
if (ret) {
|
||||||
|
// remove /status
|
||||||
|
baseUrl = ret.replace('/status', '');
|
||||||
|
}
|
||||||
|
// console.log('baseUrl', baseUrl);
|
||||||
|
return baseUrl;
|
||||||
|
},
|
||||||
|
);
|
||||||
|
})();
|
||||||
@@ -4,7 +4,8 @@
|
|||||||
"target": "ESNext" /* Specify ECMAScript target version: 'ES3' (default), 'ES5', 'ES2015', 'ES2016', 'ES2017','ES2018' or 'ESNEXT'. */,
|
"target": "ESNext" /* Specify ECMAScript target version: 'ES3' (default), 'ES5', 'ES2015', 'ES2016', 'ES2017','ES2018' or 'ESNEXT'. */,
|
||||||
"module": "commonjs" /* Specify module code generation: 'none', 'commonjs', 'amd', 'system', 'umd', 'es2015', or 'ESNext'. */,
|
"module": "commonjs" /* Specify module code generation: 'none', 'commonjs', 'amd', 'system', 'umd', 'es2015', or 'ESNext'. */,
|
||||||
"lib": [
|
"lib": [
|
||||||
"ESNext"
|
"ESNext",
|
||||||
|
"DOM"
|
||||||
] /* Specify library files to be included in the compilation. */,
|
] /* Specify library files to be included in the compilation. */,
|
||||||
"allowJs": true /* Allow javascript files to be compiled. */,
|
"allowJs": true /* Allow javascript files to be compiled. */,
|
||||||
// "checkJs": true /* Report errors in .js files. */,
|
// "checkJs": true /* Report errors in .js files. */,
|
||||||
|
|||||||
Reference in New Issue
Block a user