Bundles
捆绑包是 Capgo 中的核心更新包。每个捆绑包都包含构成应用程序内容的 Web 资源(HTML、CSS、JS)。捆绑包 API 允许您管理这些更新包,包括列出和删除它们。
捆绑包代表应用程序 Web 内容的特定捆绑包(版本),包括:
- 捆绑包(版本):捆绑包的语义版本号
- 校验和:用于验证包完整性的唯一哈希值
- 存储信息:有关捆绑包存储位置和方式的详细信息
- 本机要求:最低本机应用程序版本要求
- 元数据:创建时间、所有权和其他跟踪信息
手动创建捆绑包(不带 CLI)
Section titled “手动创建捆绑包(不带 CLI)”下面介绍了如何在不使用 Capgo CLI 的情况下手动创建和上传捆绑包:
第 1 步:构建您的应用程序
Section titled “第 1 步:构建您的应用程序”首先,构建应用程序的网络资产:
npm run build步骤 2:使用与 Capgo CLI 相同的包创建捆绑包 Zip
Section titled “步骤 2:使用与 Capgo CLI 相同的包创建捆绑包 Zip”重要:使用 Capgo CLI 内部使用的完全相同的 JavaScript 包来确保兼容性。
安装所需的软件包
Section titled “安装所需的软件包”npm install adm-zip @tomasklaen/checksum使用 JavaScript 创建 Zip 包(与 Capgo CLI 相同)
Section titled “使用 JavaScript 创建 Zip 包(与 Capgo CLI 相同)”注意:在下面的示例中,version 指的是 API 使用的包(版本)名称。
const fs = require('node:fs');const path = require('node:path');const os = require('node:os');const AdmZip = require('adm-zip');const { checksum: getChecksum } = require('@tomasklaen/checksum');
// Exact same implementation as Capgo CLIfunction zipFileUnix(filePath) { const zip = new AdmZip(); zip.addLocalFolder(filePath); return zip.toBuffer();}
async function zipFileWindows(filePath) { console.log('Zipping file windows mode'); const zip = new AdmZip();
const addToZip = (folderPath, zipPath) => { const items = fs.readdirSync(folderPath);
for (const item of items) { const itemPath = path.join(folderPath, item); const stats = fs.statSync(itemPath);
if (stats.isFile()) { const fileContent = fs.readFileSync(itemPath); zip.addFile(path.join(zipPath, item).split(path.sep).join('/'), fileContent); } else if (stats.isDirectory()) { addToZip(itemPath, path.join(zipPath, item)); } } };
addToZip(filePath, ''); return zip.toBuffer();}
// Main zipFile function (exact same logic as CLI)async function zipFile(filePath) { if (os.platform() === 'win32') { return zipFileWindows(filePath); } else { return zipFileUnix(filePath); }}
async function createBundle(inputPath, outputPath, version) { // Create zip using exact same method as Capgo CLI const zipped = await zipFile(inputPath);
// Write to file fs.writeFileSync(outputPath, zipped);
// Calculate checksum using exact same package as CLI const checksum = await getChecksum(zipped, 'sha256');
return { filename: path.basename(outputPath), version: version, size: zipped.length, checksum: checksum };}
// Usageasync function main() { try { const result = await createBundle('./dist', './my-app-1.2.3.zip', '1.2.3'); console.log('Bundle info:', JSON.stringify(result, null, 2)); } catch (error) { console.error('Error creating bundle:', error); }}
main();步骤 3:使用与 CLI 相同的包计算 SHA256 校验和
Section titled “步骤 3:使用与 CLI 相同的包计算 SHA256 校验和”const fs = require('node:fs');const { checksum: getChecksum } = require('@tomasklaen/checksum');
async function calculateChecksum(filePath) { const fileBuffer = fs.readFileSync(filePath); // Use exact same package and method as Capgo CLI const checksum = await getChecksum(fileBuffer, 'sha256'); return checksum;}
// Usageasync function main() { const checksum = await calculateChecksum('./my-app-1.2.3.zip'); console.log('Checksum:', checksum);}
main();步骤 4:将捆绑包上传到您的存储
Section titled “步骤 4:将捆绑包上传到您的存储”将您的 zip 文件上传到任何可通过网络访问的存储:
# Example: Upload to your server via scpscp my-app-1.2.3.zip user@your-server.com:/var/www/bundles/
# Example: Upload to S3 using AWS CLIaws s3 cp my-app-1.2.3.zip s3://your-bucket/bundles/
# Example: Upload via curl to a custom endpointcurl -X POST https://your-storage-api.com/upload \ -H "Authorization: Bearer YOUR_TOKEN" \ -F "file=@my-app-1.2.3.zip"重要:您的捆绑包必须可通过 HTTPS URL 公开访问(无需身份验证)。 Capgo 的服务器需要从此 URL 下载捆绑包。
有效公共 URL 的示例:
https://your-storage.com/bundles/my-app-1.2.3.ziphttps://github.com/username/repo/releases/download/v1.2.3/bundle.ziphttps://cdn.jsdelivr.net/gh/username/repo@v1.2.3/dist.zip
步骤 5:使用 Capgo API 注册捆绑包
Section titled “步骤 5:使用 Capgo API 注册捆绑包”使用直接 API 调用向 Capgo 注册外部包:
async function registerWithCapgo(appId, version, bundleUrl, checksum, apiKey) { const fetch = require('node-fetch');
// Create bundle (version) const response = await fetch('https://api.capgo.app/bundle/', { method: 'POST', headers: { 'Content-Type': 'application/json', 'authorization': apiKey }, body: JSON.stringify({ app_id: appId, version: version, external_url: bundleUrl, checksum: checksum }) });
if (!response.ok) { throw new Error(`Failed to create bundle: ${response.statusText}`); }
const data = await response.json(); console.log('Bundle created:', data);
return data;}API 参数
Section titled “API 参数”| 参数 | 描述 | 必填 |
|---|---|---|
app_id | 您的应用程序标识符 | 是的 |
version | 捆绑包(版本)语义版本(例如“1.2.3”) | 是的 |
external_url | 可公开访问 可下载捆绑包的 HTTPS URL(无需身份验证) | 是的 |
checksum | zip 文件的 SHA256 校验和 | 是的 |
捆绑包结构要求
Section titled “捆绑包结构要求”您的捆绑包 zip 必须遵循以下要求:
- 根索引文件:根级别必须有
index.html - Capacitor 集成:必须在您的应用代码中调用
notifyAppReady() - 资产路径:对所有资产使用相对路径
有效的包结构
Section titled “有效的包结构”bundle.zip├── index.html├── assets/│ ├── app.js│ └── styles.css└── images/完整的手动工作流程示例
Section titled “完整的手动工作流程示例”用于压缩、校验和上传到 Capgo 的简单 Node.js 脚本:
const fs = require('node:fs');const os = require('node:os');const AdmZip = require('adm-zip');const { checksum: getChecksum } = require('@tomasklaen/checksum');const fetch = require('node-fetch');
async function deployToCapgo() { const APP_ID = 'com.example.app'; const VERSION = '1.2.3'; const BUNDLE_URL = 'https://your-storage.com/bundles/app-1.2.3.zip'; const API_KEY = process.env.CAPGO_API_KEY;
// 1. Create zip (same as Capgo CLI) const zip = new AdmZip(); zip.addLocalFolder('./dist'); const zipped = zip.toBuffer();
// 2. Calculate checksum (same as Capgo CLI) const checksum = await getChecksum(zipped, 'sha256'); console.log('Checksum:', checksum);
// 3. Upload to your storage (replace with your upload logic) // fs.writeFileSync('./bundle.zip', zipped); // ... upload bundle.zip to your storage ...
// 4. Register with Capgo API const response = await fetch('https://api.capgo.app/bundle/', { method: 'POST', headers: { 'Content-Type': 'application/json', 'authorization': API_KEY }, body: JSON.stringify({ app_id: APP_ID, version: VERSION, external_url: BUNDLE_URL, checksum: checksum }) });
if (!response.ok) { throw new Error(`Failed: ${response.statusText}`); }
console.log('Bundle registered with Capgo!');}
deployToCapgo().catch(console.error);安装依赖项:
npm install adm-zip @tomasklaen/checksum node-fetchJavaScript 校验和计算(与 Capgo CLI 相同)
Section titled “JavaScript 校验和计算(与 Capgo CLI 相同)”使用与 Capgo CLI 内部使用完全相同的包和方法:
const fs = require('node:fs');const { checksum: getChecksum } = require('@tomasklaen/checksum');
async function calculateChecksum(filePath) { const fileBuffer = fs.readFileSync(filePath); // Use exact same package and method as Capgo CLI const checksum = await getChecksum(fileBuffer, 'sha256'); return checksum;}
// Verify checksum matchesasync function verifyChecksum(filePath, expectedChecksum) { const actualChecksum = await calculateChecksum(filePath); const isValid = actualChecksum === expectedChecksum;
console.log(`File: ${filePath}`); console.log(`Expected: ${expectedChecksum}`); console.log(`Actual: ${actualChecksum}`); console.log(`Valid: ${isValid}`);
return isValid;}
// Usageasync function main() { const bundleChecksum = await calculateChecksum('./my-app-1.2.3.zip'); console.log('SHA256 Checksum:', bundleChecksum);}
main();```### 校验和重要性
- **捆绑包完整性**:确保捆绑包在传输过程中没有损坏- **API 验证**:Capgo 在接受捆绑包之前验证校验和- **插件验证**:移动插件在应用更新之前验证校验和
## 最佳实践
1. **捆绑包(版本)管理**:一致地使用语义版本控制2. **存储优化**:定期删除未使用的捆绑包3. **捆绑包(版本)兼容性**:设置适当的最低本机版本要求4. **备份策略**:维护关键捆绑包(版本)的备份
## 端点
### 获取
`https://api.capgo.app/bundle/`
检索捆绑包信息。每页返回 50 个捆绑包。
#### 查询参数- `app_id`:必需。您的应用程序的 ID- `page`:可选。分页的页码
#### 响应类型
```typescriptinterface Bundle { app_id: string bucket_id: string | null checksum: string | null created_at: string | null deleted: boolean external_url: string | null id: number minUpdateVersion: string | null name: string native_packages: Json[] | null owner_org: string r2_path: string | null session_key: string | null storage_provider: string updated_at: string | null user_id: string | null}# Get all bundlescurl -H "authorization: your-api-key" \ "https://api.capgo.app/bundle/?app_id=app_123"
# Get next pagecurl -H "authorization: your-api-key" \ "https://api.capgo.app/bundle/?app_id=app_123&page=1"{ "data": [ { "id": 1, "app_id": "app_123", "name": "1.0.0", "checksum": "abc123...", "minUpdateVersion": "1.0.0", "storage_provider": "r2", "created_at": "2024-01-01T00:00:00Z", "updated_at": "2024-01-01T00:00:00Z", "deleted": false, "owner_org": "org_123", "user_id": "user_123" } ]}https://api.capgo.app/bundle/
删除应用程序的一个或所有捆绑包。请谨慎使用,因为此操作无法撤消。
要删除特定包:
interface BundleDelete { app_id: string version: string}删除所有包:
interface BundleDeleteAll { app_id: string}# Delete specific bundlecurl -X DELETE \ -H "authorization: your-api-key" \ -H "Content-Type: application/json" \ -d '{ "app_id": "app_123", "version": "1.0.0" }' \ https://api.capgo.app/bundle/
# Delete all bundlescurl -X DELETE \ -H "authorization: your-api-key" \ -H "Content-Type: application/json" \ -d '{ "app_id": "app_123" }' \ https://api.capgo.app/bundle/{ "status": "ok"}https://api.capgo.app/bundle/
使用外部 URL 创建一个新包。
interface CreateBundleBody { app_id: string version: string external_url: string // Must be publicly accessible HTTPS URL checksum: string}curl -X POST \ -H "authorization: your-api-key" \ -H "Content-Type: application/json" \ -d '{ "app_id": "com.example.app", "version": "1.2.3", "external_url": "https://your-storage.com/bundles/app-1.2.3.zip", "checksum": "a1b2c3d4e5f6789abcdef123456789abcdef123456789abcdef123456789abcd" }' \ https://api.capgo.app/bundle/{ "status": "ok"}POST(元数据)
Section titled “POST(元数据)”https://api.capgo.app/bundle/metadata
更新捆绑元数据,例如链接和评论信息。
interface UpdateMetadataBody { app_id: string version_id: number // bundle (version) id link?: string comment?: string}curl -X POST \ -H "authorization: your-api-key" \ -H "Content-Type: application/json" \ -d '{ "app_id": "app_123", "version_id": 456, "link": "https://github.com/myorg/myapp/releases/tag/v1.0.0", "comment": "Fixed critical bug in authentication" }' \ https://api.capgo.app/bundle/metadata{ "status": "success"}https://api.capgo.app/bundle/
将捆绑包设置到特定频道。这会将捆绑包(版本)链接到分发渠道。
interface SetChannelBody { app_id: string version_id: number // bundle (version) id channel_id: number}curl -X PUT \ -H "authorization: your-api-key" \ -H "Content-Type: application/json" \ -d '{ "app_id": "app_123", "version_id": 456, "channel_id": 789 }' \ https://api.capgo.app/bundle/{ "status": "success", "message": "Bundle 1.0.0 set to channel production"}常见错误场景及其应对措施:
// Bundle not found{ "error": "Bundle not found", "status": "KO"}
// Invalid bundle (version) format{ "error": "Invalid version format", "status": "KO"}
// Storage error{ "error": "Failed to delete bundle from storage", "status": "KO"}
// Permission denied{ "error": "Insufficient permissions to manage bundles", "status": "KO"}- 清理旧包(版本)
// Delete outdated beta bundles (versions){ "app_id": "app_123", "version": "1.0.0-beta.1"}- 应用程序重置
// Remove all bundles to start fresh{ "app_id": "app_123"}存储注意事项
Section titled “存储注意事项”- 保留策略:定义保留旧捆绑包的时间
- 大小管理:监控捆绑包大小和存储使用情况
- 备份策略:考虑备份关键捆绑包(版本)
- 成本优化:删除不必要的捆绑以优化存储成本