@xano/cli 0.0.95-beta.20 → 0.0.95-beta.21

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.
@@ -1,25 +1,5 @@
1
- import BaseCommand from '../../../base-command.js';
2
- export default class Push extends BaseCommand {
3
- static args: {
4
- directory: import("@oclif/core/interfaces").Arg<string, Record<string, unknown>>;
5
- };
1
+ import { Command } from '@oclif/core';
2
+ export default class Push extends Command {
6
3
  static description: string;
7
- static examples: string[];
8
- static flags: {
9
- env: import("@oclif/core/interfaces").BooleanFlag<boolean>;
10
- records: import("@oclif/core/interfaces").BooleanFlag<boolean>;
11
- tenant: import("@oclif/core/interfaces").OptionFlag<string, import("@oclif/core/interfaces").CustomOptions>;
12
- transaction: import("@oclif/core/interfaces").BooleanFlag<boolean>;
13
- truncate: import("@oclif/core/interfaces").BooleanFlag<boolean>;
14
- workspace: import("@oclif/core/interfaces").OptionFlag<string | undefined, import("@oclif/core/interfaces").CustomOptions>;
15
- profile: import("@oclif/core/interfaces").OptionFlag<string | undefined, import("@oclif/core/interfaces").CustomOptions>;
16
- verbose: import("@oclif/core/interfaces").BooleanFlag<boolean>;
17
- };
18
4
  run(): Promise<void>;
19
- /**
20
- * Recursively collect all .xs files from a directory, sorted by
21
- * type subdirectory name then filename for deterministic ordering.
22
- */
23
- private collectFiles;
24
- private loadCredentials;
25
5
  }
@@ -1,228 +1,10 @@
1
- import { Args, Flags } from '@oclif/core';
2
- import * as yaml from 'js-yaml';
3
- import * as fs from 'node:fs';
4
- import * as os from 'node:os';
5
- import * as path from 'node:path';
6
- import BaseCommand from '../../../base-command.js';
7
- import { findFilesWithGuid } from '../../../utils/document-parser.js';
8
- export default class Push extends BaseCommand {
9
- static args = {
10
- directory: Args.string({
11
- description: 'Directory containing documents to push (as produced by tenant pull or workspace pull)',
12
- required: true,
13
- }),
14
- };
15
- static description = 'Push local documents to a tenant via the Xano Metadata API multidoc endpoint';
16
- static examples = [
17
- `$ xano tenant push ./my-workspace -t my-tenant
18
- Pushed 42 documents to tenant my-tenant from ./my-workspace
19
- `,
20
- `$ xano tenant push ./output -t my-tenant -w 40
21
- Pushed 15 documents to tenant my-tenant from ./output
22
- `,
23
- `$ xano tenant push ./backup -t my-tenant --profile production
24
- Pushed 58 documents to tenant my-tenant from ./backup
25
- `,
26
- `$ xano tenant push ./my-workspace -t my-tenant --records
27
- Include table records in import
28
- `,
29
- `$ xano tenant push ./my-workspace -t my-tenant --env
30
- Include environment variables in import
31
- `,
32
- `$ xano tenant push ./my-workspace -t my-tenant --truncate
33
- Truncate all table records before importing
34
- `,
35
- ];
36
- static flags = {
37
- ...BaseCommand.baseFlags,
38
- env: Flags.boolean({
39
- default: false,
40
- description: 'Include environment variables in import',
41
- required: false,
42
- }),
43
- records: Flags.boolean({
44
- default: false,
45
- description: 'Include records in import',
46
- required: false,
47
- }),
48
- tenant: Flags.string({
49
- char: 't',
50
- description: 'Tenant name to push to',
51
- required: true,
52
- }),
53
- transaction: Flags.boolean({
54
- allowNo: true,
55
- default: true,
56
- description: 'Wrap import in a database transaction (use --no-transaction for debugging purposes)',
57
- required: false,
58
- }),
59
- truncate: Flags.boolean({
60
- default: false,
61
- description: 'Truncate all table records before importing',
62
- required: false,
63
- }),
64
- workspace: Flags.string({
65
- char: 'w',
66
- description: 'Workspace ID (optional if set in profile)',
67
- required: false,
68
- }),
69
- };
1
+ import { Command } from '@oclif/core';
2
+ export default class Push extends Command {
3
+ static description = 'Direct tenant push is not supported. Deploy through a release or use the sandbox (xano sandbox push).';
70
4
  async run() {
71
- const { args, flags } = await this.parse(Push);
72
- // Get profile name (default or from flag/env)
73
- const profileName = flags.profile || this.getDefaultProfile();
74
- // Load credentials
75
- const credentials = this.loadCredentials();
76
- // Get the profile configuration
77
- if (!(profileName in credentials.profiles)) {
78
- this.error(`Profile '${profileName}' not found. Available profiles: ${Object.keys(credentials.profiles).join(', ')}\n` +
79
- `Create a profile using 'xano profile:create'`);
80
- }
81
- const profile = credentials.profiles[profileName];
82
- // Validate required fields
83
- if (!profile.instance_origin) {
84
- this.error(`Profile '${profileName}' is missing instance_origin`);
85
- }
86
- if (!profile.access_token) {
87
- this.error(`Profile '${profileName}' is missing access_token`);
88
- }
89
- // Determine workspace_id from flag or profile
90
- let workspaceId;
91
- if (flags.workspace) {
92
- workspaceId = flags.workspace;
93
- }
94
- else if (profile.workspace) {
95
- workspaceId = profile.workspace;
96
- }
97
- else {
98
- this.error(`Workspace ID is required. Either:\n` +
99
- ` 1. Provide it as a flag: xano tenant push <directory> -t <tenant_name> -w <workspace_id>\n` +
100
- ` 2. Set it in your profile using: xano profile:edit ${profileName} -w <workspace_id>`);
101
- }
102
- const tenantName = flags.tenant;
103
- // Resolve the input directory
104
- const inputDir = path.resolve(args.directory);
105
- if (!fs.existsSync(inputDir)) {
106
- this.error(`Directory not found: ${inputDir}`);
107
- }
108
- if (!fs.statSync(inputDir).isDirectory()) {
109
- this.error(`Not a directory: ${inputDir}`);
110
- }
111
- // Collect all .xs files from the directory tree
112
- const files = this.collectFiles(inputDir);
113
- if (files.length === 0) {
114
- this.error(`No .xs files found in ${args.directory}`);
115
- }
116
- // Read each file and track file path alongside content
117
- const documentEntries = [];
118
- for (const filePath of files) {
119
- const content = fs.readFileSync(filePath, 'utf8').trim();
120
- if (content) {
121
- documentEntries.push({ content, filePath });
122
- }
123
- }
124
- if (documentEntries.length === 0) {
125
- this.error(`All .xs files in ${args.directory} are empty`);
126
- }
127
- const multidoc = documentEntries.map((d) => d.content).join('\n---\n');
128
- // Construct the API URL
129
- const queryParams = new URLSearchParams({
130
- env: flags.env.toString(),
131
- records: flags.records.toString(),
132
- transaction: flags.transaction.toString(),
133
- truncate: flags.truncate.toString(),
134
- });
135
- const apiUrl = `${profile.instance_origin}/api:meta/workspace/${workspaceId}/tenant/${tenantName}/multidoc?${queryParams.toString()}`;
136
- // POST the multidoc to the API
137
- const requestHeaders = {
138
- accept: 'application/json',
139
- Authorization: `Bearer ${profile.access_token}`,
140
- 'Content-Type': 'text/x-xanoscript',
141
- };
142
- const startTime = Date.now();
143
- try {
144
- const response = await this.verboseFetch(apiUrl, {
145
- body: multidoc,
146
- headers: requestHeaders,
147
- method: 'POST',
148
- }, flags.verbose, profile.access_token);
149
- if (!response.ok) {
150
- const errorText = await response.text();
151
- let errorMessage = `Push failed (${response.status})`;
152
- try {
153
- const errorJson = JSON.parse(errorText);
154
- errorMessage += `: ${errorJson.message}`;
155
- if (errorJson.payload?.param) {
156
- errorMessage += `\n Parameter: ${errorJson.payload.param}`;
157
- }
158
- }
159
- catch {
160
- errorMessage += `\n${errorText}`;
161
- }
162
- // Surface local files involved in duplicate GUID errors
163
- const guidMatch = errorMessage.match(/Duplicate \w+ guid: (\S+)/);
164
- if (guidMatch) {
165
- const dupeFiles = findFilesWithGuid(documentEntries, guidMatch[1]);
166
- if (dupeFiles.length > 0) {
167
- const relPaths = dupeFiles.map((f) => path.relative(inputDir, f));
168
- errorMessage += `\n Local files with this GUID:\n${relPaths.map((f) => ` ${f}`).join('\n')}`;
169
- }
170
- }
171
- this.error(errorMessage);
172
- }
173
- // Parse the response (suppress raw output; only show in verbose mode)
174
- const responseText = await response.text();
175
- if (responseText && responseText !== 'null' && flags.verbose) {
176
- this.log(responseText);
177
- }
178
- }
179
- catch (error) {
180
- if (error instanceof Error) {
181
- this.error(`Failed to push multidoc: ${error.message}`);
182
- }
183
- else {
184
- this.error(`Failed to push multidoc: ${String(error)}`);
185
- }
186
- }
187
- const elapsed = ((Date.now() - startTime) / 1000).toFixed(1);
188
- this.log(`Pushed ${documentEntries.length} documents to tenant ${tenantName} from ${args.directory} in ${elapsed}s`);
189
- }
190
- /**
191
- * Recursively collect all .xs files from a directory, sorted by
192
- * type subdirectory name then filename for deterministic ordering.
193
- */
194
- collectFiles(dir) {
195
- const files = [];
196
- const entries = fs.readdirSync(dir, { withFileTypes: true });
197
- for (const entry of entries) {
198
- const fullPath = path.join(dir, entry.name);
199
- if (entry.isDirectory()) {
200
- files.push(...this.collectFiles(fullPath));
201
- }
202
- else if (entry.isFile() && entry.name.endsWith('.xs')) {
203
- files.push(fullPath);
204
- }
205
- }
206
- return files.sort();
207
- }
208
- loadCredentials() {
209
- const configDir = path.join(os.homedir(), '.xano');
210
- const credentialsPath = path.join(configDir, 'credentials.yaml');
211
- // Check if credentials file exists
212
- if (!fs.existsSync(credentialsPath)) {
213
- this.error(`Credentials file not found at ${credentialsPath}\n` + `Create a profile using 'xano profile:create'`);
214
- }
215
- // Read credentials file
216
- try {
217
- const fileContent = fs.readFileSync(credentialsPath, 'utf8');
218
- const parsed = yaml.load(fileContent);
219
- if (!parsed || typeof parsed !== 'object' || !('profiles' in parsed)) {
220
- this.error('Credentials file has invalid format.');
221
- }
222
- return parsed;
223
- }
224
- catch (error) {
225
- this.error(`Failed to parse credentials file: ${error}`);
226
- }
5
+ this.error('Direct tenant push is not supported.\n' +
6
+ 'To deploy changes, use one of the following:\n' +
7
+ ' - Create a release through the standard deployment workflow\n' +
8
+ ' - Use the sandbox: xano sandbox push <directory>');
227
9
  }
228
10
  }