@shipstatic/ship 0.8.2 → 0.8.4

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/SKILL.md CHANGED
@@ -17,88 +17,163 @@ metadata:
17
17
  bins: [ship]
18
18
  ---
19
19
 
20
- ## Install
21
-
22
- Requires Node.js >= 20.
20
+ ## Authenticate
23
21
 
24
22
  ```bash
25
- npm install -g @shipstatic/ship
23
+ ship config # Interactive — saves to ~/.shiprc
24
+ ship --api-key <key> ... # Per-command
25
+ export SHIP_API_KEY=<key> # Environment variable
26
26
  ```
27
27
 
28
- ## Authenticate
28
+ Get an API key at https://my.shipstatic.com/settings
29
29
 
30
- ```bash
31
- ship config
32
- ```
30
+ ## Output Modes
31
+
32
+ Every command supports three output modes:
33
33
 
34
- Enter your API key when prompted. Get one at https://my.shipstatic.com/settings
34
+ | Flag | Purpose | Use when |
35
+ |------|---------|----------|
36
+ | (default) | Human-readable text | Showing results to the user |
37
+ | `--json` | Raw JSON on stdout | Parsing output programmatically |
38
+ | `-q` | Key identifier only | Piping between commands |
35
39
 
36
- Alternative: set the `SHIP_API_KEY` environment variable or pass `--api-key` per command.
40
+ Always use `--json` when you need to parse output. Always use `-q` when piping between commands.
37
41
 
38
- ## Workflow 1 Deploy
42
+ Errors go to stderr in all modes. Exit code 0 = success, 1 = error.
43
+
44
+ ## Deploy
39
45
 
40
46
  ```bash
41
- ship ./dist
42
- ship ./dist --label production --label v1.0
43
- ship ./dist --json # Returns {"deployment": "happy-cat-abc1234.shipstatic.com", ...}
47
+ ship ./dist # Deploy a directory or file
48
+ ship ./dist --json # Parse: {"deployment": "happy-cat-abc1234.shipstatic.com", ...}
49
+ ship ./dist -q # Outputs only: happy-cat-abc1234.shipstatic.com
50
+ ship ./dist --label v1.0 --label latest # Labels (repeatable, replaces all existing)
44
51
  ```
45
52
 
46
- ## Workflow 2 Deploy and Link Domain
53
+ Deployment IDs are their permanent URLs: `word-word-hash.shipstatic.com`. Always use the full ID (including `.shipstatic.com`) as the argument to other commands.
54
+
55
+ ## Custom Domain Setup (full workflow)
47
56
 
48
57
  ```bash
49
- # Deploy and link in one pipe
58
+ # 1. Pre-flight check (exit 0 = valid, exit 1 = invalid)
59
+ ship domains validate www.example.com
60
+
61
+ # 2. Deploy and link in one pipe
50
62
  ship ./dist -q | ship domains set www.example.com
63
+
64
+ # 3. Get the required DNS records (to show the user)
65
+ ship domains records www.example.com
66
+
67
+ # 4. After user configures DNS, trigger verification
68
+ ship domains verify www.example.com
51
69
  ```
52
70
 
53
- ## Workflow 3 Reserve a Domain
71
+ In text mode, step 2 automatically prints the DNS records and a shareable setup link when creating a new external domain. In `--json` mode it does not — use `domains records` separately.
54
72
 
73
+ Additional setup helpers (external domains only):
55
74
  ```bash
56
- # Pre-flight check
57
- ship domains validate www.example.com
75
+ ship domains dns www.example.com # DNS provider name (where to configure)
76
+ ship domains share www.example.com # Shareable setup link for the user
77
+ ```
78
+
79
+ ## Domain Types
58
80
 
59
- # Reserve (no deployment linked yet)
60
- ship domains set www.example.com
81
+ | Type | Example | DNS required | Status |
82
+ |------|---------|-------------|--------|
83
+ | Internal subdomain | `my-site.shipstatic.com` | No | Instant (`success`) |
84
+ | Custom subdomain | `www.example.com` | Yes (CNAME + A) | Starts `pending` until DNS verified |
61
85
 
62
- # Or reserve an internal subdomain (instant, no DNS)
63
- ship domains set my-site.shipstatic.com
86
+ **Apex domains are not supported.** Always use a subdomain: `www.example.com`, not `example.com`. The A record exists only to redirect `example.com` to `www.example.com`.
87
+
88
+ ## Domain Operations
89
+
90
+ `domains set` is an upsert — creates if new, updates if exists:
91
+
92
+ ```bash
93
+ ship domains set www.example.com # Reserve (no deployment)
94
+ ship domains set www.example.com <deployment> # Link to deployment
95
+ ship domains set www.example.com <other-dep> # Switch (instant rollback)
96
+ ship domains set www.example.com --label prod # Update labels
64
97
  ```
65
98
 
66
- Internal domains (`my-site.shipstatic.com`) are free and instant. Custom domains require DNS configuration — the CLI prints the required records.
99
+ `domains set` reads deployment from stdin when piped:
100
+ ```bash
101
+ ship ./dist -q | ship domains set www.example.com
102
+ ```
67
103
 
68
- **Apex domains are not supported.** Always use a subdomain: `www.example.com`, not `example.com`.
104
+ `domains validate` uses exit codes as the answer (the `grep`/`test` convention):
105
+ ```bash
106
+ ship domains validate www.example.com -q && echo "valid" || echo "invalid"
107
+ # valid → exit 0, outputs normalized name
108
+ # invalid → exit 1, no output
109
+ ```
110
+
111
+ ## Important Behaviors
112
+
113
+ - **Labels replace, not append.** `--label foo --label bar` sets labels to `["foo", "bar"]`, removing any existing labels. To keep existing labels, include them in the command.
114
+ - **`records` quiet mode** outputs one record per line, space-separated: `TYPE NAME VALUE`. Parseable with awk: `ship domains records <name> -q | awk '{print $3}'` extracts values.
115
+ - **`domains list` text mode** does not show domain status. Use `--json` to see which domains are `pending` vs `success`.
116
+
117
+ ## Command Reference
69
118
 
70
- ## Workflow 4 — Link Domain to Deployment
119
+ ### Deployments
71
120
 
72
121
  ```bash
73
- # Link domain to a deployment
74
- ship domains set www.example.com <deployment>
122
+ ship ./dist # Shortcut for deployments upload
123
+ ship deployments upload <path> # Upload directory or file
124
+ ship deployments list # List all deployments
125
+ ship deployments get <deployment> # Show deployment details
126
+ ship deployments set <deployment> # Update labels (--label)
127
+ ship deployments remove <deployment> # Delete permanently (async)
128
+ ```
75
129
 
76
- # Switch to a different deployment (instant rollback)
77
- ship domains set www.example.com <other-deployment>
130
+ ### Domains
78
131
 
79
- # For custom domains: verify DNS after configuring records
80
- ship domains verify www.example.com
132
+ ```bash
133
+ ship domains list # List all domains
134
+ ship domains get <name> # Show domain details
135
+ ship domains set <name> [deployment] # Create, link, or update labels
136
+ ship domains validate <name> # Pre-flight check (exit 1 if invalid)
137
+ ship domains records <name> # Required DNS records (external only)
138
+ ship domains dns <name> # DNS provider lookup (external only)
139
+ ship domains share <name> # Shareable setup link (external only)
140
+ ship domains verify <name> # Trigger DNS verification (external only)
141
+ ship domains remove <name> # Delete permanently
81
142
  ```
82
143
 
83
- ## Reference
144
+ ### Account & Tokens
84
145
 
85
146
  ```bash
86
- # Deployments
87
- ship deployments list
88
- ship deployments get <deployment>
89
- ship deployments set <deployment> --label production
90
- ship deployments remove <deployment>
91
-
92
- # Domains
93
- ship domains list
94
- ship domains get <name>
95
- ship domains validate <name>
96
- ship domains verify <name>
97
- ship domains remove <name>
98
-
99
- # Account
100
- ship whoami
101
- ship ping
147
+ ship whoami # Account info
148
+ ship ping # API connectivity check
149
+ ship tokens create # Create deploy token (secret shown once)
150
+ ship tokens create --ttl 3600 # With expiry (seconds)
151
+ ship tokens list # List tokens (management IDs only)
152
+ ship tokens remove <token> # Delete token
102
153
  ```
103
154
 
104
- Use `--json` on any command for machine-readable output. Use `-q` for the key identifier only.
155
+ ## Global Flags
156
+
157
+ | Flag | Purpose |
158
+ |------|---------|
159
+ | `--json` | JSON output |
160
+ | `-q, --quiet` | Key identifier only |
161
+ | `--api-key <key>` | API key for this command |
162
+ | `--deploy-token <token>` | Single-use deploy token |
163
+ | `--label <label>` | Set label (repeatable, replaces all existing) |
164
+ | `--no-path-detect` | Disable build output auto-detection |
165
+ | `--no-spa-detect` | Disable SPA rewrite auto-configuration |
166
+ | `--no-color` | Plain text output |
167
+ | `--config <file>` | Custom config file path |
168
+
169
+ ## Error Patterns
170
+
171
+ | Error | Meaning | Action |
172
+ |-------|---------|--------|
173
+ | `authentication required` | No credentials | Use `--api-key`, `--deploy-token`, or `ship config` |
174
+ | `authentication failed` | Invalid credentials | Check key/token validity |
175
+ | `not found` | Resource doesn't exist | Verify the ID/name |
176
+ | `path does not exist` | Deploy path invalid | Check the file/directory path |
177
+ | `invalid domain name` | Bad domain format | Must be a subdomain (e.g., `www.example.com`) |
178
+ | `DNS information is only available for external domains` | Used records/dns/share on `*.shipstatic.com` | Only custom domains need DNS setup |
179
+ | `DNS verification already requested recently` | Rate limited | Wait and retry |
package/dist/cli.cjs CHANGED
@@ -1,59 +1,62 @@
1
1
  #!/usr/bin/env node
2
- "use strict";var Rt=Object.create;var fe=Object.defineProperty;var kt=Object.getOwnPropertyDescriptor;var Ot=Object.getOwnPropertyNames;var It=Object.getPrototypeOf,Ft=Object.prototype.hasOwnProperty;var F=(e,o)=>()=>(e&&(o=e(e=0)),o);var Pt=(e,o)=>{for(var t in o)fe(e,t,{get:o[t],enumerable:!0})},$t=(e,o,t,n)=>{if(o&&typeof o=="object"||typeof o=="function")for(let i of Ot(o))!Ft.call(e,i)&&i!==t&&fe(e,i,{get:()=>o[i],enumerable:!(n=kt(o,i))||n.enumerable});return e};var T=(e,o,t)=>(t=e!=null?Rt(It(e)):{},$t(o||!e||!e.__esModule?fe(t,"default",{value:e,enumerable:!0}):t,e));function k(e){return e!==null&&typeof e=="object"&&"name"in e&&e.name==="ShipError"&&"status"in e}function Se(e){let o=e.lastIndexOf(".");if(o===-1||o===e.length-1)return!1;let t=e.slice(o+1).toLowerCase();return Lt.has(t)}function Pe(e){return Nt.test(e)}function De(e){return e.replace(/\\/g,"/").split("/").filter(Boolean).some(t=>be.has(t))}function te(e){if(!e.startsWith(j))throw c.validation(`API key must start with "${j}"`);if(e.length!==Ie)throw c.validation(`API key must be ${Ie} characters total (${j} + ${ge} hex chars)`);let o=e.slice(j.length);if(!/^[a-f0-9]{64}$/i.test(o))throw c.validation(`API key must contain ${ge} hexadecimal characters after "${j}" prefix`)}function $e(e){if(!e.startsWith(M))throw c.validation(`Deploy token must start with "${M}"`);if(e.length!==Fe)throw c.validation(`Deploy token must be ${Fe} characters total (${M} + ${ye} hex chars)`);let o=e.slice(M.length);if(!/^[a-f0-9]{64}$/i.test(o))throw c.validation(`Deploy token must contain ${ye} hexadecimal characters after "${M}" prefix`)}function Le(e){try{let o=new URL(e);if(!["http:","https:"].includes(o.protocol))throw c.validation("API URL must use http:// or https:// protocol");if(o.pathname!=="/"&&o.pathname!=="")throw c.validation("API URL must not contain a path");if(o.search||o.hash)throw c.validation("API URL must not contain query parameters or fragments")}catch(o){throw k(o)?o:c.validation("API URL must be a valid URL")}}var g,he,c,Lt,Nt,be,j,ge,Ie,M,ye,Fe,Ce,K,C=F(()=>{"use strict";(function(e){e.Validation="validation_failed",e.NotFound="not_found",e.RateLimit="rate_limit_exceeded",e.Authentication="authentication_failed",e.Business="business_logic_error",e.Api="internal_server_error",e.Network="network_error",e.Cancelled="operation_cancelled",e.File="file_error",e.Config="config_error"})(g||(g={}));he={client:new Set([g.Business,g.Config,g.File,g.Validation]),network:new Set([g.Network]),auth:new Set([g.Authentication])},c=class e extends Error{type;status;details;constructor(o,t,n,i){super(t),this.type=o,this.status=n,this.details=i,this.name="ShipError"}toResponse(){let o=this.type===g.Authentication&&this.details?.internal?void 0:this.details;return{error:this.type,message:this.message,status:this.status,details:o}}static fromResponse(o){return new e(o.error,o.message,o.status,o.details)}static validation(o,t){return new e(g.Validation,o,400,t)}static notFound(o,t){let n=t?`${o} ${t} not found`:`${o} not found`;return new e(g.NotFound,n,404)}static rateLimit(o="Too many requests"){return new e(g.RateLimit,o,429)}static authentication(o="Authentication required",t){return new e(g.Authentication,o,401,t)}static business(o,t=400){return new e(g.Business,o,t)}static network(o,t){return new e(g.Network,o,void 0,{cause:t})}static cancelled(o){return new e(g.Cancelled,o)}static file(o,t){return new e(g.File,o,void 0,{filePath:t})}static config(o,t){return new e(g.Config,o,void 0,t)}static api(o,t=500){return new e(g.Api,o,t)}static database(o,t=500){return new e(g.Api,o,t)}static storage(o,t=500){return new e(g.Api,o,t)}get filePath(){return this.details?.filePath}isClientError(){return he.client.has(this.type)}isNetworkError(){return he.network.has(this.type)}isAuthError(){return he.auth.has(this.type)}isValidationError(){return this.type===g.Validation}isFileError(){return this.type===g.File}isConfigError(){return this.type===g.Config}isType(o){return this.type===o}};Lt=new Set(["exe","msi","dll","scr","bat","cmd","com","pif","app","deb","rpm","pkg","mpkg","dmg","iso","img","cab","cpl","chm","ps1","vbs","vbe","ws","wsf","wsc","wsh","reg","jar","jnlp","apk","crx","lnk","inf","hta"]);Nt=/[\x00-\x1f\x7f#?%\\<>"]/;be=new Set(["node_modules","package.json"]);j="ship-",ge=64,Ie=j.length+ge,M="token-",ye=64,Fe=M.length+ye,Ce="ship.json";K="https://api.shipstatic.com"});function Ne(e){ve=e}function ne(){if(ve===null)throw c.config("Platform configuration not initialized. The SDK must fetch configuration from the API before performing operations.");return ve}var ve,ie=F(()=>{"use strict";C();ve=null});function Ut(){return typeof process<"u"&&process.versions&&process.versions.node?"node":typeof window<"u"||typeof self<"u"?"browser":"unknown"}function P(){return Ue||Ut()}var Ue,J=F(()=>{"use strict";Ue=null});async function jt(e){let o=(await import("spark-md5")).default;return new Promise((t,n)=>{let s=Math.ceil(e.size/2097152),r=0,a=new o.ArrayBuffer,l=new FileReader,p=()=>{let d=r*2097152,h=Math.min(d+2097152,e.size);l.readAsArrayBuffer(e.slice(d,h))};l.onload=d=>{let h=d.target?.result;if(!h){n(c.business("Failed to read file chunk"));return}a.append(h),r++,r<s?p():t({md5:a.end()})},l.onerror=()=>{n(c.business("Failed to calculate MD5: FileReader error"))},p()})}async function Mt(e){let o=await import("crypto");if(Buffer.isBuffer(e)){let n=o.createHash("md5");return n.update(e),{md5:n.digest("hex")}}let t=await import("fs");return new Promise((n,i)=>{let s=o.createHash("md5"),r=t.createReadStream(e);r.on("error",a=>i(c.business(`Failed to read file for MD5: ${a.message}`))),r.on("data",a=>s.update(a)),r.on("end",()=>n({md5:s.digest("hex")}))})}async function se(e){let o=P();if(o==="browser"){if(!(e instanceof Blob))throw c.business("Invalid input for browser MD5 calculation: Expected Blob or File.");return jt(e)}if(o==="node"){if(!(Buffer.isBuffer(e)||typeof e=="string"))throw c.business("Invalid input for Node.js MD5 calculation: Expected Buffer or file path string.");return Mt(e)}throw c.business("Unknown or unsupported execution environment for MD5 calculation.")}var Ee=F(()=>{"use strict";J();C()});function Je(e,o){if(!e||e.length===0)return[];if(!o?.allowUnbuilt&&e.find(n=>n&&De(n)))throw c.business("Unbuilt project detected \u2014 deploy your build output (dist/, build/, out/), not the project folder");return e.filter(t=>{if(!t)return!1;let n=t.replace(/\\/g,"/").split("/").filter(Boolean);if(n.length===0)return!0;let i=n[n.length-1];if((0,qe.isJunk)(i))return!1;for(let r of n)if(r!==".well-known"&&(r.startsWith(".")||r.length>255))return!1;let s=n.slice(0,-1);for(let r of s)if(Ht.some(a=>r.toLowerCase()===a.toLowerCase()))return!1;return!0})}var qe,Ht,We=F(()=>{"use strict";qe=require("junk");C();Ht=["__MACOSX",".Trashes",".fseventsd",".Spotlight-V100"]});function Ye(e){if(!e||e.length===0)return"";let o=e.filter(s=>s&&typeof s=="string").map(s=>s.replace(/\\/g,"/"));if(o.length===0)return"";if(o.length===1)return o[0];let t=o.map(s=>s.split("/").filter(Boolean)),n=[],i=Math.min(...t.map(s=>s.length));for(let s=0;s<i;s++){let r=t[0][s];if(t.every(a=>a[s]===r))n.push(r);else break}return n.join("/")}function ae(e){return e.replace(/\\/g,"/").replace(/\/+/g,"/").replace(/^\/+/,"")}var Ae=F(()=>{"use strict"});function Xe(e,o={}){if(o.flatten===!1)return e.map(n=>({path:ae(n),name:xe(n)}));let t=Gt(e);return e.map(n=>{let i=ae(n);if(t){let s=t.endsWith("/")?t:`${t}/`;i.startsWith(s)&&(i=i.substring(s.length))}return i||(i=xe(n)),{path:i,name:xe(n)}})}function Gt(e){if(!e.length)return"";let t=e.map(s=>ae(s)).map(s=>s.split("/")),n=[],i=Math.min(...t.map(s=>s.length));for(let s=0;s<i-1;s++){let r=t[0][s];if(t.every(a=>a[s]===r))n.push(r);else break}return n.join("/")}function xe(e){return e.split(/[/\\]/).pop()||e}var Ze=F(()=>{"use strict";Ae()});function Qe(e){if(Pe(e))return{valid:!1,reason:"File name contains unsafe characters"};if(e.startsWith(" ")||e.endsWith(" "))return{valid:!1,reason:"File name cannot start/end with spaces"};if(e.endsWith("."))return{valid:!1,reason:"File name cannot end with dots"};let o=/^(CON|PRN|AUX|NUL|COM[1-9]|LPT[1-9])(\.|$)/i,t=e.split("/").pop()||e;return o.test(t)?{valid:!1,reason:"File name uses a reserved system name"}:e.includes("..")?{valid:!1,reason:"File name contains path traversal pattern"}:{valid:!0}}var et=F(()=>{"use strict";C()});function tt(e,o){if(e.includes("\0")||e.includes("/../")||e.startsWith("../")||e.endsWith("/.."))throw c.business(`Security error: Unsafe file path "${e}" for file: ${o}`)}function ot(e,o){let t=Qe(e);if(!t.valid)throw c.business(t.reason||"Invalid file name");if(Se(e))throw c.business(`File extension not allowed: "${o}"`)}var nt=F(()=>{"use strict";C();et()});var st={};Pt(st,{processFilesForNode:()=>Vt});function it(e,o=new Set){let t=[],n=x.realpathSync(e);if(o.has(n))return t;o.add(n);let i=x.readdirSync(e);for(let s of i){let r=R.join(e,s),a=x.statSync(r);if(a.isDirectory()){let l=it(r,o);t.push(...l)}else a.isFile()&&t.push(r)}return t}async function Vt(e,o={}){if(P()!=="node")throw c.business("processFilesForNode can only be called in Node.js environment.");for(let m of e){let D=R.resolve(m);try{if(x.statSync(D).isDirectory()){let O=x.readdirSync(D).find(I=>be.has(I));if(O)throw c.business(`"${O}" detected \u2014 deploy your build output (dist/, build/, out/), not the project folder`)}}catch(O){if(k(O))throw O}}let t=e.flatMap(m=>{let D=R.resolve(m);try{return x.statSync(D).isDirectory()?it(D):[D]}catch{throw c.file(`Path does not exist: ${m}`,m)}}),n=[...new Set(t)],i=e.map(m=>R.resolve(m)),s=Ye(i.map(m=>{try{return x.statSync(m).isDirectory()?m:R.dirname(m)}catch{return R.dirname(m)}})),r=n.map(m=>{if(s&&s.length>0){let D=R.relative(s,m);if(D&&typeof D=="string"&&!D.startsWith(".."))return D.replace(/\\/g,"/")}return R.basename(m)}),a=new Set(Je(r));if(a.size===0)return[];let l=[],p=[];for(let m=0;m<n.length;m++)a.has(r[m])&&(l.push(n[m]),p.push(r[m]));let d=Xe(p,{flatten:o.pathDetect!==!1}),h=[],S=0,N=ne();for(let m=0;m<l.length;m++){let D=l[m],O=d[m].path;try{tt(O,D);let I=x.statSync(D);if(I.size===0)continue;if(ot(O,D),I.size>N.maxFileSize)throw c.business(`File ${D} is too large. Maximum allowed size is ${N.maxFileSize/(1024*1024)}MB.`);if(S+=I.size,S>N.maxTotalSize)throw c.business(`Total deploy size is too large. Maximum allowed is ${N.maxTotalSize/(1024*1024)}MB.`);let q=x.readFileSync(D),{md5:xt}=await se(q);h.push({path:O,content:q,size:q.length,md5:xt})}catch(I){if(k(I))throw I;let q=I instanceof Error?I.message:String(I);throw c.file(`Failed to read file "${D}": ${q}`,D)}}if(h.length>N.maxFilesCount)throw c.business(`Too many files to deploy. Maximum allowed is ${N.maxFilesCount} files.`);return h}var x,R,rt=F(()=>{"use strict";J();Ee();We();nt();C();ie();Ze();Ae();x=T(require("fs"),1),R=T(require("path"),1)});var wt=require("commander");C();var oe=class{constructor(){this.handlers=new Map}on(o,t){this.handlers.has(o)||this.handlers.set(o,new Set),this.handlers.get(o).add(t)}off(o,t){let n=this.handlers.get(o);n&&(n.delete(t),n.size===0&&this.handlers.delete(o))}emit(o,...t){let n=this.handlers.get(o);if(!n)return;let i=Array.from(n);for(let s of i)try{s(...t)}catch(r){n.delete(s),o!=="error"&&setTimeout(()=>{r instanceof Error?this.emit("error",r,String(o)):this.emit("error",new Error(String(r)),String(o))},0)}}transfer(o){this.handlers.forEach((t,n)=>{t.forEach(i=>{o.on(n,i)})})}clear(){this.handlers.clear()}};var b={DEPLOYMENTS:"/deployments",DOMAINS:"/domains",TOKENS:"/tokens",ACCOUNT:"/account",CONFIG:"/config",PING:"/ping",SPA_CHECK:"/spa-check"},_t=3e4,z=class extends oe{constructor(t){super();this.globalHeaders={};this.apiUrl=t.apiUrl||K,this.getAuthHeadersCallback=t.getAuthHeaders,this.useCredentials=t.useCredentials??!1,this.timeout=t.timeout??_t,this.createDeployBody=t.createDeployBody,this.deployEndpoint=t.deployEndpoint||b.DEPLOYMENTS}setGlobalHeaders(t){this.globalHeaders=t}transferEventsTo(t){this.transfer(t)}async executeRequest(t,n,i){let s=this.mergeHeaders(n.headers),{signal:r,cleanup:a}=this.createTimeoutSignal(n.signal),l={...n,headers:s,credentials:this.useCredentials&&!s.Authorization?"include":void 0,signal:r};this.emit("request",t,l);try{let p=await fetch(t,l);return a(),p.ok||await this.handleResponseError(p,i),this.emit("response",this.safeClone(p),t),{data:await this.parseResponse(this.safeClone(p)),status:p.status}}catch(p){a();let d=p instanceof Error?p:new Error(String(p));this.emit("error",d,t),this.handleFetchError(p,i)}}async request(t,n,i){let{data:s}=await this.executeRequest(t,n,i);return s}async requestWithStatus(t,n,i){return this.executeRequest(t,n,i)}mergeHeaders(t={}){return{...this.globalHeaders,...this.getAuthHeadersCallback(),...t}}createTimeoutSignal(t){let n=new AbortController,i=setTimeout(()=>n.abort(),this.timeout);if(t){let s=()=>n.abort();t.addEventListener("abort",s),t.aborted&&n.abort()}return{signal:n.signal,cleanup:()=>clearTimeout(i)}}safeClone(t){try{return t.clone()}catch{return t}}async parseResponse(t){if(!(t.headers.get("Content-Length")==="0"||t.status===204))return t.json()}async handleResponseError(t,n){let i={};try{if(t.headers.get("content-type")?.includes("application/json")){let a=await t.json();if(a&&typeof a=="object"){let l=a;typeof l.message=="string"&&(i.message=l.message),typeof l.error=="string"&&(i.error=l.error)}}else i={message:await t.text()}}catch{i={message:"Failed to parse error response"}}let s=i.message||i.error||`${n} failed`;throw t.status===401?c.authentication(s):c.api(s,t.status)}handleFetchError(t,n){throw k(t)?t:t instanceof Error&&t.name==="AbortError"?c.cancelled(`${n} was cancelled`):t instanceof TypeError&&t.message.includes("fetch")?c.network(`${n} failed: ${t.message}`,t):t instanceof Error?c.business(`${n} failed: ${t.message}`):c.business(`${n} failed: Unknown error`)}async deploy(t,n={}){if(!t.length)throw c.business("No files to deploy");for(let l of t)if(!l.md5)throw c.file(`MD5 checksum missing for file: ${l.path}`,l.path);let i=n.build||n.prerender?{build:n.build,prerender:n.prerender}:void 0,{body:s,headers:r}=await this.createDeployBody(t,n.labels,n.via,i),a={};return n.deployToken?a.Authorization=`Bearer ${n.deployToken}`:n.apiKey&&(a.Authorization=`Bearer ${n.apiKey}`),n.caller&&(a["X-Caller"]=n.caller),this.request(`${n.apiUrl||this.apiUrl}${this.deployEndpoint}`,{method:"POST",body:s,headers:{...r,...a},signal:n.signal||null},"Deploy")}async listDeployments(){return this.request(`${this.apiUrl}${b.DEPLOYMENTS}`,{method:"GET"},"List deployments")}async getDeployment(t){return this.request(`${this.apiUrl}${b.DEPLOYMENTS}/${encodeURIComponent(t)}`,{method:"GET"},"Get deployment")}async updateDeploymentLabels(t,n){return this.request(`${this.apiUrl}${b.DEPLOYMENTS}/${encodeURIComponent(t)}`,{method:"PATCH",headers:{"Content-Type":"application/json"},body:JSON.stringify({labels:n})},"Update deployment labels")}async removeDeployment(t){await this.request(`${this.apiUrl}${b.DEPLOYMENTS}/${encodeURIComponent(t)}`,{method:"DELETE"},"Remove deployment")}async setDomain(t,n,i){let s={};n&&(s.deployment=n),i!==void 0&&(s.labels=i);let{data:r,status:a}=await this.requestWithStatus(`${this.apiUrl}${b.DOMAINS}/${encodeURIComponent(t)}`,{method:"PUT",headers:{"Content-Type":"application/json"},body:JSON.stringify(s)},"Set domain");return{...r,isCreate:a===201}}async listDomains(){return this.request(`${this.apiUrl}${b.DOMAINS}`,{method:"GET"},"List domains")}async getDomain(t){return this.request(`${this.apiUrl}${b.DOMAINS}/${encodeURIComponent(t)}`,{method:"GET"},"Get domain")}async removeDomain(t){await this.request(`${this.apiUrl}${b.DOMAINS}/${encodeURIComponent(t)}`,{method:"DELETE"},"Remove domain")}async verifyDomain(t){return this.request(`${this.apiUrl}${b.DOMAINS}/${encodeURIComponent(t)}/verify`,{method:"POST"},"Verify domain")}async getDomainDns(t){return this.request(`${this.apiUrl}${b.DOMAINS}/${encodeURIComponent(t)}/dns`,{method:"GET"},"Get domain DNS")}async getDomainRecords(t){return this.request(`${this.apiUrl}${b.DOMAINS}/${encodeURIComponent(t)}/records`,{method:"GET"},"Get domain records")}async getDomainShare(t){return this.request(`${this.apiUrl}${b.DOMAINS}/${encodeURIComponent(t)}/share`,{method:"GET"},"Get domain share")}async validateDomain(t){return this.request(`${this.apiUrl}${b.DOMAINS}/validate`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify({domain:t})},"Validate domain")}async createToken(t,n){let i={};return t!==void 0&&(i.ttl=t),n!==void 0&&(i.labels=n),this.request(`${this.apiUrl}${b.TOKENS}`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify(i)},"Create token")}async listTokens(){return this.request(`${this.apiUrl}${b.TOKENS}`,{method:"GET"},"List tokens")}async removeToken(t){await this.request(`${this.apiUrl}${b.TOKENS}/${encodeURIComponent(t)}`,{method:"DELETE"},"Remove token")}async getAccount(){return this.request(`${this.apiUrl}${b.ACCOUNT}`,{method:"GET"},"Get account")}async getConfig(){return this.request(`${this.apiUrl}${b.CONFIG}`,{method:"GET"},"Get config")}async ping(){return(await this.request(`${this.apiUrl}${b.PING}`,{method:"GET"},"Ping"))?.success||!1}async checkSPA(t,n={}){let i=t.find(p=>p.path==="index.html"||p.path==="/index.html");if(!i||i.size>100*1024)return!1;let s;if(typeof Buffer<"u"&&Buffer.isBuffer(i.content))s=i.content.toString("utf-8");else if(typeof Blob<"u"&&i.content instanceof Blob)s=await i.content.text();else if(typeof File<"u"&&i.content instanceof File)s=await i.content.text();else return!1;let r={"Content-Type":"application/json"};n.deployToken?r.Authorization=`Bearer ${n.deployToken}`:n.apiKey&&(r.Authorization=`Bearer ${n.apiKey}`);let a={files:t.map(p=>p.path),index:s};return(await this.request(`${this.apiUrl}${b.SPA_CHECK}`,{method:"POST",headers:r,body:JSON.stringify(a)},"SPA check")).isSPA}};C();ie();C();C();function we(e={},o={}){let t={apiUrl:e.apiUrl||o.apiUrl||K,apiKey:e.apiKey!==void 0?e.apiKey:o.apiKey,deployToken:e.deployToken!==void 0?e.deployToken:o.deployToken},n={apiUrl:t.apiUrl};return t.apiKey!==void 0&&(n.apiKey=t.apiKey),t.deployToken!==void 0&&(n.deployToken=t.deployToken),n}function _e(e,o){let t={...e};return t.apiUrl===void 0&&o.apiUrl!==void 0&&(t.apiUrl=o.apiUrl),t.apiKey===void 0&&o.apiKey!==void 0&&(t.apiKey=o.apiKey),t.deployToken===void 0&&o.deployToken!==void 0&&(t.deployToken=o.deployToken),t.timeout===void 0&&o.timeout!==void 0&&(t.timeout=o.timeout),t.maxConcurrency===void 0&&o.maxConcurrency!==void 0&&(t.maxConcurrency=o.maxConcurrency),t.onProgress===void 0&&o.onProgress!==void 0&&(t.onProgress=o.onProgress),t.caller===void 0&&o.caller!==void 0&&(t.caller=o.caller),t}C();Ee();async function Kt(){let o=JSON.stringify({rewrites:[{source:"/(.*)",destination:"/index.html"}]},null,2),t;typeof Buffer<"u"?t=Buffer.from(o,"utf-8"):t=new Blob([o],{type:"application/json"});let{md5:n}=await se(t);return{path:Ce,content:t,size:o.length,md5:n}}async function je(e,o,t){if(t.spaDetect===!1||t.build||t.prerender||e.some(n=>n.path===Ce))return e;try{if(await o.checkSPA(e,t)){let i=await Kt();return[...e,i]}}catch{}return e}function Me(e){let{getApi:o,ensureInit:t,processInput:n,clientDefaults:i,hasAuth:s}=e;return{upload:async(r,a={})=>{await t();let l=i?_e(a,i):a;if(s&&!s()&&!l.deployToken&&!l.apiKey)throw c.authentication("Authentication credentials are required for deployment. Please call setDeployToken() or setApiKey() first, or pass credentials in the deployment options.");if(!n)throw c.config("processInput function is not provided.");let p=o(),d=await n(r,l);return d=await je(d,p,l),p.deploy(d,l)},list:async()=>(await t(),o().listDeployments()),get:async r=>(await t(),o().getDeployment(r)),set:async(r,a)=>(await t(),o().updateDeploymentLabels(r,a.labels)),remove:async r=>{await t(),await o().removeDeployment(r)}}}function Ke(e){let{getApi:o,ensureInit:t}=e;return{set:async(n,i={})=>(await t(),o().setDomain(n,i.deployment,i.labels)),list:async()=>(await t(),o().listDomains()),get:async n=>(await t(),o().getDomain(n)),remove:async n=>{await t(),await o().removeDomain(n)},verify:async n=>(await t(),o().verifyDomain(n)),validate:async n=>(await t(),o().validateDomain(n)),dns:async n=>(await t(),o().getDomainDns(n)),records:async n=>(await t(),o().getDomainRecords(n)),share:async n=>(await t(),o().getDomainShare(n))}}function ze(e){let{getApi:o,ensureInit:t}=e;return{get:async()=>(await t(),o().getAccount())}}function Be(e){let{getApi:o,ensureInit:t}=e;return{create:async(n={})=>(await t(),o().createToken(n.ttl,n.labels)),list:async()=>(await t(),o().listTokens()),remove:async n=>{await t(),await o().removeToken(n)}}}var re=class{constructor(o={}){this.initPromise=null;this._config=null;this.auth=null;this.customHeaders={};this.clientOptions=o,o.deployToken?this.auth={type:"token",value:o.deployToken}:o.apiKey&&(this.auth={type:"apiKey",value:o.apiKey}),this.authHeadersCallback=()=>this.getAuthHeaders();let t=this.resolveInitialConfig(o);this.http=new z({...o,...t,getAuthHeaders:this.authHeadersCallback,createDeployBody:this.getDeployBodyCreator()});let n={getApi:()=>this.http,ensureInit:()=>this.ensureInitialized()};this._deployments=Me({...n,processInput:(i,s)=>this.processInput(i,s),clientDefaults:this.clientOptions,hasAuth:()=>this.hasAuth()}),this._domains=Ke(n),this._account=ze(n),this._tokens=Be(n)}async ensureInitialized(){return this.initPromise||(this.initPromise=this.loadFullConfig()),this.initPromise}async ping(){return await this.ensureInitialized(),this.http.ping()}async deploy(o,t){return this.deployments.upload(o,t)}async whoami(){return this.account.get()}get deployments(){return this._deployments}get domains(){return this._domains}get account(){return this._account}get tokens(){return this._tokens}async getConfig(){return this._config?this._config:(await this.ensureInitialized(),this._config=ne(),this._config)}on(o,t){this.http.on(o,t)}off(o,t){this.http.off(o,t)}setHeaders(o){this.customHeaders=o,this.http.setGlobalHeaders(o)}clearHeaders(){this.customHeaders={},this.http.setGlobalHeaders({})}replaceHttpClient(o){if(this.http?.transferEventsTo)try{this.http.transferEventsTo(o)}catch(t){console.warn("Event transfer failed during client replacement:",t)}this.http=o,Object.keys(this.customHeaders).length>0&&this.http.setGlobalHeaders(this.customHeaders)}setDeployToken(o){if(!o||typeof o!="string")throw c.business("Invalid deploy token provided. Deploy token must be a non-empty string.");this.auth={type:"token",value:o}}setApiKey(o){if(!o||typeof o!="string")throw c.business("Invalid API key provided. API key must be a non-empty string.");this.auth={type:"apiKey",value:o}}getAuthHeaders(){return this.auth?{Authorization:`Bearer ${this.auth.value}`}:{}}hasAuth(){return this.clientOptions.useCredentials?!0:this.auth!==null}};C();J();var B=require("zod");C();J();var Te="ship",zt=B.z.object({apiUrl:B.z.string().url().optional(),apiKey:B.z.string().optional(),deployToken:B.z.string().optional()}).strict();function He(e){try{return zt.parse(e)}catch(o){if(o instanceof B.z.ZodError){let t=o.issues[0],n=t.path.length>0?` at ${t.path.join(".")}`:"";throw c.config(`Configuration validation failed${n}: ${t.message}`)}throw c.config("Configuration validation failed")}}async function Bt(e){try{if(P()!=="node")return{};let{cosmiconfigSync:o}=await import("cosmiconfig"),t=await import("os"),n=o(Te,{searchPlaces:[`.${Te}rc`,"package.json",`${t.homedir()}/.${Te}rc`],stopDir:t.homedir()}),i;if(e?i=n.load(e):i=n.search(),i&&i.config)return He(i.config)}catch(o){if(k(o))throw o}return{}}async function Ge(e){if(P()!=="node")return{};let o={apiUrl:process.env.SHIP_API_URL,apiKey:process.env.SHIP_API_KEY,deployToken:process.env.SHIP_DEPLOY_TOKEN},t=await Bt(e),n={apiUrl:o.apiUrl??t.apiUrl,apiKey:o.apiKey??t.apiKey,deployToken:o.deployToken??t.deployToken};return He(n)}ie();C();async function Ve(e,o,t,n){let{FormData:i,File:s}=await import("formdata-node"),{FormDataEncoder:r}=await import("form-data-encoder"),a=new i,l=[];for(let S of e){if(!Buffer.isBuffer(S.content)&&!(typeof Blob<"u"&&S.content instanceof Blob))throw c.file(`Unsupported file.content type for Node.js: ${S.path}`,S.path);if(!S.md5)throw c.file(`File missing md5 checksum: ${S.path}`,S.path);let N=new s([S.content],S.path,{type:"application/octet-stream"});a.append("files[]",N),l.push(S.md5)}a.append("checksums",JSON.stringify(l)),o&&o.length>0&&a.append("labels",JSON.stringify(o)),t&&a.append("via",t),n?.build&&a.append("build","true"),n?.prerender&&a.append("prerender","true");let p=new r(a),d=[];for await(let S of p.encode())d.push(Buffer.from(S));let h=Buffer.concat(d);return{body:h.buffer.slice(h.byteOffset,h.byteOffset+h.byteLength),headers:{"Content-Type":p.contentType,"Content-Length":Buffer.byteLength(h).toString()}}}var le=class extends re{constructor(o={}){if(P()!=="node")throw c.business("Node.js Ship class can only be used in Node.js environment.");super(o)}resolveInitialConfig(o){return we(o,{})}async loadFullConfig(){try{let o=await Ge(this.clientOptions.configFile),t=we(this.clientOptions,o);t.deployToken&&!this.clientOptions.deployToken?this.setDeployToken(t.deployToken):t.apiKey&&!this.clientOptions.apiKey&&this.setApiKey(t.apiKey);let n=new z({...this.clientOptions,...t,getAuthHeaders:this.authHeadersCallback,createDeployBody:this.getDeployBodyCreator()});this.replaceHttpClient(n);let i=await this.http.getConfig();Ne(i)}catch(o){throw this.initPromise=null,o}}async processInput(o,t){let n=typeof o=="string"?[o]:o;if(!Array.isArray(n)||!n.every(s=>typeof s=="string"))throw c.business("Invalid input type for Node.js environment. Expected string or string[].");if(n.length===0)throw c.business("No files to deploy.");let{processFilesForNode:i}=await Promise.resolve().then(()=>(rt(),st));return i(n,t)}getDeployBodyCreator(){return Ve}};C();var U=require("fs"),ue=T(require("path"),1);var Re=T(require("columnify"),1),u=require("yoctocolors"),at=["isCreate"],w=(e,o,t)=>t?o:e(o),E=(e,o,t)=>{console.log(o?JSON.stringify({success:e},null,2)+`
3
- `:`${w(u.green,e.toLowerCase().replace(/\.$/,""),t)}
4
- `)},A=(e,o,t)=>{if(o)console.error(JSON.stringify({error:e},null,2)+`
5
- `);else{let n=w(s=>(0,u.inverse)((0,u.red)(s)),`${w(u.hidden,"[",t)}error${w(u.hidden,"]",t)}`,t),i=w(u.red,e.toLowerCase().replace(/\.$/,""),t);console.error(`${n} ${i}
6
- `)}},pe=(e,o,t)=>{if(o)console.log(JSON.stringify({warning:e},null,2)+`
7
- `);else{let n=w(s=>(0,u.inverse)((0,u.yellow)(s)),`${w(u.hidden,"[",t)}warning${w(u.hidden,"]",t)}`,t),i=w(u.yellow,e.toLowerCase().replace(/\.$/,""),t);console.log(`${n} ${i}
2
+ "use strict";var At=Object.create;var fe=Object.defineProperty;var kt=Object.getOwnPropertyDescriptor;var It=Object.getOwnPropertyNames;var Ft=Object.getPrototypeOf,$t=Object.prototype.hasOwnProperty;var F=(e,o)=>()=>(e&&(o=e(e=0)),o);var Pt=(e,o)=>{for(var t in o)fe(e,t,{get:o[t],enumerable:!0})},Lt=(e,o,t,n)=>{if(o&&typeof o=="object"||typeof o=="function")for(let i of It(o))!$t.call(e,i)&&i!==t&&fe(e,i,{get:()=>o[i],enumerable:!(n=kt(o,i))||n.enumerable});return e};var R=(e,o,t)=>(t=e!=null?At(Ft(e)):{},Lt(o||!e||!e.__esModule?fe(t,"default",{value:e,enumerable:!0}):t,e));function A(e){return e!==null&&typeof e=="object"&&"name"in e&&e.name==="ShipError"&&"status"in e}function De(e){let o=e.lastIndexOf(".");if(o===-1||o===e.length-1)return!1;let t=e.slice(o+1).toLowerCase();return Nt.has(t)}function Pe(e){return _t.test(e)}function be(e){return e.replace(/\\/g,"/").split("/").filter(Boolean).some(t=>Se.has(t))}function oe(e){if(!e.startsWith(M))throw c.validation(`API key must start with "${M}"`);if(e.length!==Fe)throw c.validation(`API key must be ${Fe} characters total (${M} + ${ge} hex chars)`);let o=e.slice(M.length);if(!/^[a-f0-9]{64}$/i.test(o))throw c.validation(`API key must contain ${ge} hexadecimal characters after "${M}" prefix`)}function Le(e){if(!e.startsWith(K))throw c.validation(`Deploy token must start with "${K}"`);if(e.length!==$e)throw c.validation(`Deploy token must be ${$e} characters total (${K} + ${ye} hex chars)`);let o=e.slice(K.length);if(!/^[a-f0-9]{64}$/i.test(o))throw c.validation(`Deploy token must contain ${ye} hexadecimal characters after "${K}" prefix`)}function Ne(e){try{let o=new URL(e);if(!["http:","https:"].includes(o.protocol))throw c.validation("API URL must use http:// or https:// protocol");if(o.pathname!=="/"&&o.pathname!=="")throw c.validation("API URL must not contain a path");if(o.search||o.hash)throw c.validation("API URL must not contain query parameters or fragments")}catch(o){throw A(o)?o:c.validation("API URL must be a valid URL")}}var g,he,c,Nt,_t,Se,M,ge,Fe,K,ye,$e,Ce,z,v=F(()=>{"use strict";(function(e){e.Validation="validation_failed",e.NotFound="not_found",e.RateLimit="rate_limit_exceeded",e.Authentication="authentication_failed",e.Business="business_logic_error",e.Api="internal_server_error",e.Network="network_error",e.Cancelled="operation_cancelled",e.File="file_error",e.Config="config_error"})(g||(g={}));he={client:new Set([g.Business,g.Config,g.File,g.Validation]),network:new Set([g.Network]),auth:new Set([g.Authentication])},c=class e extends Error{type;status;details;constructor(o,t,n,i){super(t),this.type=o,this.status=n,this.details=i,this.name="ShipError"}toResponse(){let o=this.type===g.Authentication&&this.details?.internal?void 0:this.details;return{error:this.type,message:this.message,status:this.status,details:o}}static fromResponse(o){return new e(o.error,o.message,o.status,o.details)}static validation(o,t){return new e(g.Validation,o,400,t)}static notFound(o,t){let n=t?`${o} ${t} not found`:`${o} not found`;return new e(g.NotFound,n,404)}static rateLimit(o="Too many requests"){return new e(g.RateLimit,o,429)}static authentication(o="Authentication required",t){return new e(g.Authentication,o,401,t)}static business(o,t=400){return new e(g.Business,o,t)}static network(o,t){return new e(g.Network,o,void 0,{cause:t})}static cancelled(o){return new e(g.Cancelled,o)}static file(o,t){return new e(g.File,o,void 0,{filePath:t})}static config(o,t){return new e(g.Config,o,void 0,t)}static api(o,t=500){return new e(g.Api,o,t)}static database(o,t=500){return new e(g.Api,o,t)}static storage(o,t=500){return new e(g.Api,o,t)}get filePath(){return this.details?.filePath}isClientError(){return he.client.has(this.type)}isNetworkError(){return he.network.has(this.type)}isAuthError(){return he.auth.has(this.type)}isValidationError(){return this.type===g.Validation}isFileError(){return this.type===g.File}isConfigError(){return this.type===g.Config}isType(o){return this.type===o}};Nt=new Set(["exe","msi","dll","scr","bat","cmd","com","pif","app","deb","rpm","pkg","mpkg","dmg","iso","img","cab","cpl","chm","ps1","vbs","vbe","ws","wsf","wsc","wsh","reg","jar","jnlp","apk","crx","lnk","inf","hta"]);_t=/[\x00-\x1f\x7f#?%\\<>"]/;Se=new Set(["node_modules","package.json"]);M="ship-",ge=64,Fe=M.length+ge,K="token-",ye=64,$e=K.length+ye,Ce="ship.json";z="https://api.shipstatic.com"});function _e(e){ve=e}function ie(){if(ve===null)throw c.config("Platform configuration not initialized. The SDK must fetch configuration from the API before performing operations.");return ve}var ve,se=F(()=>{"use strict";v();ve=null});function jt(){return typeof process<"u"&&process.versions&&process.versions.node?"node":typeof window<"u"||typeof self<"u"?"browser":"unknown"}function P(){return je||jt()}var je,Y=F(()=>{"use strict";je=null});async function Mt(e){let o=(await import("spark-md5")).default;return new Promise((t,n)=>{let s=Math.ceil(e.size/2097152),r=0,a=new o.ArrayBuffer,l=new FileReader,p=()=>{let d=r*2097152,h=Math.min(d+2097152,e.size);l.readAsArrayBuffer(e.slice(d,h))};l.onload=d=>{let h=d.target?.result;if(!h){n(c.business("Failed to read file chunk"));return}a.append(h),r++,r<s?p():t({md5:a.end()})},l.onerror=()=>{n(c.business("Failed to calculate MD5: FileReader error"))},p()})}async function Kt(e){let o=await import("crypto");if(Buffer.isBuffer(e)){let n=o.createHash("md5");return n.update(e),{md5:n.digest("hex")}}let t=await import("fs");return new Promise((n,i)=>{let s=o.createHash("md5"),r=t.createReadStream(e);r.on("error",a=>i(c.business(`Failed to read file for MD5: ${a.message}`))),r.on("data",a=>s.update(a)),r.on("end",()=>n({md5:s.digest("hex")}))})}async function re(e){let o=P();if(o==="browser"){if(!(e instanceof Blob))throw c.business("Invalid input for browser MD5 calculation: Expected Blob or File.");return Mt(e)}if(o==="node"){if(!(Buffer.isBuffer(e)||typeof e=="string"))throw c.business("Invalid input for Node.js MD5 calculation: Expected Buffer or file path string.");return Kt(e)}throw c.business("Unknown or unsupported execution environment for MD5 calculation.")}var Ee=F(()=>{"use strict";Y();v()});function Ye(e,o){if(!e||e.length===0)return[];if(!o?.allowUnbuilt&&e.find(n=>n&&be(n)))throw c.business("Unbuilt project detected \u2014 deploy your build output (dist/, build/, out/), not the project folder");return e.filter(t=>{if(!t)return!1;let n=t.replace(/\\/g,"/").split("/").filter(Boolean);if(n.length===0)return!0;let i=n[n.length-1];if((0,Je.isJunk)(i))return!1;for(let r of n)if(r!==".well-known"&&(r.startsWith(".")||r.length>255))return!1;let s=n.slice(0,-1);for(let r of s)if(Ht.some(a=>r.toLowerCase()===a.toLowerCase()))return!1;return!0})}var Je,Ht,We=F(()=>{"use strict";Je=require("junk");v();Ht=["__MACOSX",".Trashes",".fseventsd",".Spotlight-V100"]});function Xe(e){if(!e||e.length===0)return"";let o=e.filter(s=>s&&typeof s=="string").map(s=>s.replace(/\\/g,"/"));if(o.length===0)return"";if(o.length===1)return o[0];let t=o.map(s=>s.split("/").filter(Boolean)),n=[],i=Math.min(...t.map(s=>s.length));for(let s=0;s<i;s++){let r=t[0][s];if(t.every(a=>a[s]===r))n.push(r);else break}return n.join("/")}function le(e){return e.replace(/\\/g,"/").replace(/\/+/g,"/").replace(/^\/+/,"")}var Te=F(()=>{"use strict"});function Ze(e,o={}){if(o.flatten===!1)return e.map(n=>({path:le(n),name:Oe(n)}));let t=Vt(e);return e.map(n=>{let i=le(n);if(t){let s=t.endsWith("/")?t:`${t}/`;i.startsWith(s)&&(i=i.substring(s.length))}return i||(i=Oe(n)),{path:i,name:Oe(n)}})}function Vt(e){if(!e.length)return"";let t=e.map(s=>le(s)).map(s=>s.split("/")),n=[],i=Math.min(...t.map(s=>s.length));for(let s=0;s<i-1;s++){let r=t[0][s];if(t.every(a=>a[s]===r))n.push(r);else break}return n.join("/")}function Oe(e){return e.split(/[/\\]/).pop()||e}var Qe=F(()=>{"use strict";Te()});function et(e){if(Pe(e))return{valid:!1,reason:"File name contains unsafe characters"};if(e.startsWith(" ")||e.endsWith(" "))return{valid:!1,reason:"File name cannot start/end with spaces"};if(e.endsWith("."))return{valid:!1,reason:"File name cannot end with dots"};let o=/^(CON|PRN|AUX|NUL|COM[1-9]|LPT[1-9])(\.|$)/i,t=e.split("/").pop()||e;return o.test(t)?{valid:!1,reason:"File name uses a reserved system name"}:e.includes("..")?{valid:!1,reason:"File name contains path traversal pattern"}:{valid:!0}}var tt=F(()=>{"use strict";v()});function ot(e,o){if(e.includes("\0")||e.includes("/../")||e.startsWith("../")||e.endsWith("/.."))throw c.business(`Security error: Unsafe file path "${e}" for file: ${o}`)}function nt(e,o){let t=et(e);if(!t.valid)throw c.business(t.reason||"Invalid file name");if(De(e))throw c.business(`File extension not allowed: "${o}"`)}var it=F(()=>{"use strict";v();tt()});var rt={};Pt(rt,{processFilesForNode:()=>qt});function st(e,o=new Set){let t=[],n=O.realpathSync(e);if(o.has(n))return t;o.add(n);let i=O.readdirSync(e);for(let s of i){let r=x.join(e,s),a=O.statSync(r);if(a.isDirectory()){let l=st(r,o);t.push(...l)}else a.isFile()&&t.push(r)}return t}async function qt(e,o={}){if(P()!=="node")throw c.business("processFilesForNode can only be called in Node.js environment.");for(let f of e){let C=x.resolve(f);try{if(O.statSync(C).isDirectory()){let k=O.readdirSync(C).find(I=>Se.has(I));if(k)throw c.business(`"${k}" detected \u2014 deploy your build output (dist/, build/, out/), not the project folder`)}}catch(k){if(A(k))throw k}}let t=e.flatMap(f=>{let C=x.resolve(f);try{return O.statSync(C).isDirectory()?st(C):[C]}catch{throw c.file(`Path does not exist: ${f}`,f)}}),n=[...new Set(t)],i=e.map(f=>x.resolve(f)),s=Xe(i.map(f=>{try{return O.statSync(f).isDirectory()?f:x.dirname(f)}catch{return x.dirname(f)}})),r=n.map(f=>{if(s&&s.length>0){let C=x.relative(s,f);if(C&&typeof C=="string"&&!C.startsWith(".."))return C.replace(/\\/g,"/")}return x.basename(f)}),a=new Set(Ye(r));if(a.size===0)return[];let l=[],p=[];for(let f=0;f<n.length;f++)a.has(r[f])&&(l.push(n[f]),p.push(r[f]));let d=Ze(p,{flatten:o.pathDetect!==!1}),h=[],D=0,_=ie();for(let f=0;f<l.length;f++){let C=l[f],k=d[f].path;try{ot(k,C);let I=O.statSync(C);if(I.size===0)continue;if(nt(k,C),I.size>_.maxFileSize)throw c.business(`File ${C} is too large. Maximum allowed size is ${_.maxFileSize/(1024*1024)}MB.`);if(D+=I.size,D>_.maxTotalSize)throw c.business(`Total deploy size is too large. Maximum allowed is ${_.maxTotalSize/(1024*1024)}MB.`);let J=O.readFileSync(C),{md5:xt}=await re(J);h.push({path:k,content:J,size:J.length,md5:xt})}catch(I){if(A(I))throw I;let J=I instanceof Error?I.message:String(I);throw c.file(`Failed to read file "${C}": ${J}`,C)}}if(h.length>_.maxFilesCount)throw c.business(`Too many files to deploy. Maximum allowed is ${_.maxFilesCount} files.`);return h}var O,x,at=F(()=>{"use strict";Y();Ee();We();it();v();se();Qe();Te();O=R(require("fs"),1),x=R(require("path"),1)});var Et=require("commander");v();var ne=class{constructor(){this.handlers=new Map}on(o,t){this.handlers.has(o)||this.handlers.set(o,new Set),this.handlers.get(o).add(t)}off(o,t){let n=this.handlers.get(o);n&&(n.delete(t),n.size===0&&this.handlers.delete(o))}emit(o,...t){let n=this.handlers.get(o);if(!n)return;let i=Array.from(n);for(let s of i)try{s(...t)}catch(r){n.delete(s),o!=="error"&&setTimeout(()=>{r instanceof Error?this.emit("error",r,String(o)):this.emit("error",new Error(String(r)),String(o))},0)}}transfer(o){this.handlers.forEach((t,n)=>{t.forEach(i=>{o.on(n,i)})})}clear(){this.handlers.clear()}};var S={DEPLOYMENTS:"/deployments",DOMAINS:"/domains",TOKENS:"/tokens",ACCOUNT:"/account",CONFIG:"/config",PING:"/ping",SPA_CHECK:"/spa-check"},Ut=3e4,B=class extends ne{constructor(t){super();this.globalHeaders={};this.apiUrl=t.apiUrl||z,this.getAuthHeadersCallback=t.getAuthHeaders,this.useCredentials=t.useCredentials??!1,this.timeout=t.timeout??Ut,this.createDeployBody=t.createDeployBody,this.deployEndpoint=t.deployEndpoint||S.DEPLOYMENTS}setGlobalHeaders(t){this.globalHeaders=t}transferEventsTo(t){this.transfer(t)}async executeRequest(t,n,i){let s=this.mergeHeaders(n.headers),{signal:r,cleanup:a}=this.createTimeoutSignal(n.signal),l={...n,headers:s,credentials:this.useCredentials&&!s.Authorization?"include":void 0,signal:r};this.emit("request",t,l);try{let p=await fetch(t,l);return a(),p.ok||await this.handleResponseError(p,i),this.emit("response",this.safeClone(p),t),{data:await this.parseResponse(this.safeClone(p)),status:p.status}}catch(p){a();let d=p instanceof Error?p:new Error(String(p));this.emit("error",d,t),this.handleFetchError(p,i)}}async request(t,n,i){let{data:s}=await this.executeRequest(t,n,i);return s}async requestWithStatus(t,n,i){return this.executeRequest(t,n,i)}mergeHeaders(t={}){return{...this.globalHeaders,...this.getAuthHeadersCallback(),...t}}createTimeoutSignal(t){let n=new AbortController,i=setTimeout(()=>n.abort(),this.timeout);if(t){let s=()=>n.abort();t.addEventListener("abort",s),t.aborted&&n.abort()}return{signal:n.signal,cleanup:()=>clearTimeout(i)}}safeClone(t){try{return t.clone()}catch{return t}}async parseResponse(t){if(!(t.headers.get("Content-Length")==="0"||t.status===204))return t.json()}async handleResponseError(t,n){let i={};try{if(t.headers.get("content-type")?.includes("application/json")){let a=await t.json();if(a&&typeof a=="object"){let l=a;typeof l.message=="string"&&(i.message=l.message),typeof l.error=="string"&&(i.error=l.error)}}else i={message:await t.text()}}catch{i={message:"Failed to parse error response"}}let s=i.message||i.error||`${n} failed`;throw t.status===401?c.authentication(s):c.api(s,t.status)}handleFetchError(t,n){throw A(t)?t:t instanceof Error&&t.name==="AbortError"?c.cancelled(`${n} was cancelled`):t instanceof TypeError&&t.message.includes("fetch")?c.network(`${n} failed: ${t.message}`,t):t instanceof Error?c.business(`${n} failed: ${t.message}`):c.business(`${n} failed: Unknown error`)}async deploy(t,n={}){if(!t.length)throw c.business("No files to deploy");for(let l of t)if(!l.md5)throw c.file(`MD5 checksum missing for file: ${l.path}`,l.path);let i=n.build||n.prerender?{build:n.build,prerender:n.prerender}:void 0,{body:s,headers:r}=await this.createDeployBody(t,n.labels,n.via,i),a={};return n.deployToken?a.Authorization=`Bearer ${n.deployToken}`:n.apiKey&&(a.Authorization=`Bearer ${n.apiKey}`),n.caller&&(a["X-Caller"]=n.caller),this.request(`${n.apiUrl||this.apiUrl}${this.deployEndpoint}`,{method:"POST",body:s,headers:{...r,...a},signal:n.signal||null},"Deploy")}async listDeployments(){return this.request(`${this.apiUrl}${S.DEPLOYMENTS}`,{method:"GET"},"List deployments")}async getDeployment(t){return this.request(`${this.apiUrl}${S.DEPLOYMENTS}/${encodeURIComponent(t)}`,{method:"GET"},"Get deployment")}async updateDeploymentLabels(t,n){return this.request(`${this.apiUrl}${S.DEPLOYMENTS}/${encodeURIComponent(t)}`,{method:"PATCH",headers:{"Content-Type":"application/json"},body:JSON.stringify({labels:n})},"Update deployment labels")}async removeDeployment(t){await this.request(`${this.apiUrl}${S.DEPLOYMENTS}/${encodeURIComponent(t)}`,{method:"DELETE"},"Remove deployment")}async setDomain(t,n,i){let s={};n&&(s.deployment=n),i!==void 0&&(s.labels=i);let{data:r,status:a}=await this.requestWithStatus(`${this.apiUrl}${S.DOMAINS}/${encodeURIComponent(t)}`,{method:"PUT",headers:{"Content-Type":"application/json"},body:JSON.stringify(s)},"Set domain");return{...r,isCreate:a===201}}async listDomains(){return this.request(`${this.apiUrl}${S.DOMAINS}`,{method:"GET"},"List domains")}async getDomain(t){return this.request(`${this.apiUrl}${S.DOMAINS}/${encodeURIComponent(t)}`,{method:"GET"},"Get domain")}async removeDomain(t){await this.request(`${this.apiUrl}${S.DOMAINS}/${encodeURIComponent(t)}`,{method:"DELETE"},"Remove domain")}async verifyDomain(t){return this.request(`${this.apiUrl}${S.DOMAINS}/${encodeURIComponent(t)}/verify`,{method:"POST"},"Verify domain")}async getDomainDns(t){return this.request(`${this.apiUrl}${S.DOMAINS}/${encodeURIComponent(t)}/dns`,{method:"GET"},"Get domain DNS")}async getDomainRecords(t){return this.request(`${this.apiUrl}${S.DOMAINS}/${encodeURIComponent(t)}/records`,{method:"GET"},"Get domain records")}async getDomainShare(t){return this.request(`${this.apiUrl}${S.DOMAINS}/${encodeURIComponent(t)}/share`,{method:"GET"},"Get domain share")}async validateDomain(t){return this.request(`${this.apiUrl}${S.DOMAINS}/validate`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify({domain:t})},"Validate domain")}async createToken(t,n){let i={};return t!==void 0&&(i.ttl=t),n!==void 0&&(i.labels=n),this.request(`${this.apiUrl}${S.TOKENS}`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify(i)},"Create token")}async listTokens(){return this.request(`${this.apiUrl}${S.TOKENS}`,{method:"GET"},"List tokens")}async removeToken(t){await this.request(`${this.apiUrl}${S.TOKENS}/${encodeURIComponent(t)}`,{method:"DELETE"},"Remove token")}async getAccount(){return this.request(`${this.apiUrl}${S.ACCOUNT}`,{method:"GET"},"Get account")}async getConfig(){return this.request(`${this.apiUrl}${S.CONFIG}`,{method:"GET"},"Get config")}async ping(){return(await this.request(`${this.apiUrl}${S.PING}`,{method:"GET"},"Ping"))?.success||!1}async checkSPA(t,n={}){let i=t.find(p=>p.path==="index.html"||p.path==="/index.html");if(!i||i.size>100*1024)return!1;let s;if(typeof Buffer<"u"&&Buffer.isBuffer(i.content))s=i.content.toString("utf-8");else if(typeof Blob<"u"&&i.content instanceof Blob)s=await i.content.text();else if(typeof File<"u"&&i.content instanceof File)s=await i.content.text();else return!1;let r={"Content-Type":"application/json"};n.deployToken?r.Authorization=`Bearer ${n.deployToken}`:n.apiKey&&(r.Authorization=`Bearer ${n.apiKey}`);let a={files:t.map(p=>p.path),index:s};return(await this.request(`${this.apiUrl}${S.SPA_CHECK}`,{method:"POST",headers:r,body:JSON.stringify(a)},"SPA check")).isSPA}};v();se();v();v();function we(e={},o={}){let t={apiUrl:e.apiUrl||o.apiUrl||z,apiKey:e.apiKey!==void 0?e.apiKey:o.apiKey,deployToken:e.deployToken!==void 0?e.deployToken:o.deployToken},n={apiUrl:t.apiUrl};return t.apiKey!==void 0&&(n.apiKey=t.apiKey),t.deployToken!==void 0&&(n.deployToken=t.deployToken),n}function Ue(e,o){let t={...e};return t.apiUrl===void 0&&o.apiUrl!==void 0&&(t.apiUrl=o.apiUrl),t.apiKey===void 0&&o.apiKey!==void 0&&(t.apiKey=o.apiKey),t.deployToken===void 0&&o.deployToken!==void 0&&(t.deployToken=o.deployToken),t.timeout===void 0&&o.timeout!==void 0&&(t.timeout=o.timeout),t.maxConcurrency===void 0&&o.maxConcurrency!==void 0&&(t.maxConcurrency=o.maxConcurrency),t.onProgress===void 0&&o.onProgress!==void 0&&(t.onProgress=o.onProgress),t.caller===void 0&&o.caller!==void 0&&(t.caller=o.caller),t}v();Ee();async function zt(){let o=JSON.stringify({rewrites:[{source:"/(.*)",destination:"/index.html"}]},null,2),t;typeof Buffer<"u"?t=Buffer.from(o,"utf-8"):t=new Blob([o],{type:"application/json"});let{md5:n}=await re(t);return{path:Ce,content:t,size:o.length,md5:n}}async function Me(e,o,t){if(t.spaDetect===!1||t.build||t.prerender||e.some(n=>n.path===Ce))return e;try{if(await o.checkSPA(e,t)){let i=await zt();return[...e,i]}}catch{}return e}function Ke(e){let{getApi:o,ensureInit:t,processInput:n,clientDefaults:i,hasAuth:s}=e;return{upload:async(r,a={})=>{await t();let l=i?Ue(a,i):a;if(s&&!s()&&!l.deployToken&&!l.apiKey)throw c.authentication("Authentication credentials are required for deployment. Please call setDeployToken() or setApiKey() first, or pass credentials in the deployment options.");if(!n)throw c.config("processInput function is not provided.");let p=o(),d=await n(r,l);return d=await Me(d,p,l),p.deploy(d,l)},list:async()=>(await t(),o().listDeployments()),get:async r=>(await t(),o().getDeployment(r)),set:async(r,a)=>(await t(),o().updateDeploymentLabels(r,a.labels)),remove:async r=>{await t(),await o().removeDeployment(r)}}}function ze(e){let{getApi:o,ensureInit:t}=e;return{set:async(n,i={})=>(await t(),o().setDomain(n,i.deployment,i.labels)),list:async()=>(await t(),o().listDomains()),get:async n=>(await t(),o().getDomain(n)),remove:async n=>{await t(),await o().removeDomain(n)},verify:async n=>(await t(),o().verifyDomain(n)),validate:async n=>(await t(),o().validateDomain(n)),dns:async n=>(await t(),o().getDomainDns(n)),records:async n=>(await t(),o().getDomainRecords(n)),share:async n=>(await t(),o().getDomainShare(n))}}function Be(e){let{getApi:o,ensureInit:t}=e;return{get:async()=>(await t(),o().getAccount())}}function Ge(e){let{getApi:o,ensureInit:t}=e;return{create:async(n={})=>(await t(),o().createToken(n.ttl,n.labels)),list:async()=>(await t(),o().listTokens()),remove:async n=>{await t(),await o().removeToken(n)}}}var ae=class{constructor(o={}){this.initPromise=null;this._config=null;this.auth=null;this.customHeaders={};this.clientOptions=o,o.deployToken?this.auth={type:"token",value:o.deployToken}:o.apiKey&&(this.auth={type:"apiKey",value:o.apiKey}),this.authHeadersCallback=()=>this.getAuthHeaders();let t=this.resolveInitialConfig(o);this.http=new B({...o,...t,getAuthHeaders:this.authHeadersCallback,createDeployBody:this.getDeployBodyCreator()});let n={getApi:()=>this.http,ensureInit:()=>this.ensureInitialized()};this._deployments=Ke({...n,processInput:(i,s)=>this.processInput(i,s),clientDefaults:this.clientOptions,hasAuth:()=>this.hasAuth()}),this._domains=ze(n),this._account=Be(n),this._tokens=Ge(n)}async ensureInitialized(){return this.initPromise||(this.initPromise=this.loadFullConfig()),this.initPromise}async ping(){return await this.ensureInitialized(),this.http.ping()}async deploy(o,t){return this.deployments.upload(o,t)}async whoami(){return this.account.get()}get deployments(){return this._deployments}get domains(){return this._domains}get account(){return this._account}get tokens(){return this._tokens}async getConfig(){return this._config?this._config:(await this.ensureInitialized(),this._config=ie(),this._config)}on(o,t){this.http.on(o,t)}off(o,t){this.http.off(o,t)}setHeaders(o){this.customHeaders=o,this.http.setGlobalHeaders(o)}clearHeaders(){this.customHeaders={},this.http.setGlobalHeaders({})}replaceHttpClient(o){if(this.http?.transferEventsTo)try{this.http.transferEventsTo(o)}catch(t){console.warn("Event transfer failed during client replacement:",t)}this.http=o,Object.keys(this.customHeaders).length>0&&this.http.setGlobalHeaders(this.customHeaders)}setDeployToken(o){if(!o||typeof o!="string")throw c.business("Invalid deploy token provided. Deploy token must be a non-empty string.");this.auth={type:"token",value:o}}setApiKey(o){if(!o||typeof o!="string")throw c.business("Invalid API key provided. API key must be a non-empty string.");this.auth={type:"apiKey",value:o}}getAuthHeaders(){return this.auth?{Authorization:`Bearer ${this.auth.value}`}:{}}hasAuth(){return this.clientOptions.useCredentials?!0:this.auth!==null}};v();Y();var G=require("zod");v();Y();var Re="ship",Bt=G.z.object({apiUrl:G.z.string().url().optional(),apiKey:G.z.string().optional(),deployToken:G.z.string().optional()}).strict();function He(e){try{return Bt.parse(e)}catch(o){if(o instanceof G.z.ZodError){let t=o.issues[0],n=t.path.length>0?` at ${t.path.join(".")}`:"";throw c.config(`Configuration validation failed${n}: ${t.message}`)}throw c.config("Configuration validation failed")}}async function Gt(e){try{if(P()!=="node")return{};let{cosmiconfigSync:o}=await import("cosmiconfig"),t=await import("os"),n=o(Re,{searchPlaces:[`.${Re}rc`,"package.json",`${t.homedir()}/.${Re}rc`],stopDir:t.homedir()}),i;if(e?i=n.load(e):i=n.search(),i&&i.config)return He(i.config)}catch(o){if(A(o))throw o}return{}}async function Ve(e){if(P()!=="node")return{};let o={apiUrl:process.env.SHIP_API_URL,apiKey:process.env.SHIP_API_KEY,deployToken:process.env.SHIP_DEPLOY_TOKEN},t=await Gt(e),n={apiUrl:o.apiUrl??t.apiUrl,apiKey:o.apiKey??t.apiKey,deployToken:o.deployToken??t.deployToken};return He(n)}se();v();async function qe(e,o,t,n){let{FormData:i,File:s}=await import("formdata-node"),{FormDataEncoder:r}=await import("form-data-encoder"),a=new i,l=[];for(let D of e){if(!Buffer.isBuffer(D.content)&&!(typeof Blob<"u"&&D.content instanceof Blob))throw c.file(`Unsupported file.content type for Node.js: ${D.path}`,D.path);if(!D.md5)throw c.file(`File missing md5 checksum: ${D.path}`,D.path);let _=new s([D.content],D.path,{type:"application/octet-stream"});a.append("files[]",_),l.push(D.md5)}a.append("checksums",JSON.stringify(l)),o&&o.length>0&&a.append("labels",JSON.stringify(o)),t&&a.append("via",t),n?.build&&a.append("build","true"),n?.prerender&&a.append("prerender","true");let p=new r(a),d=[];for await(let D of p.encode())d.push(Buffer.from(D));let h=Buffer.concat(d);return{body:h.buffer.slice(h.byteOffset,h.byteOffset+h.byteLength),headers:{"Content-Type":p.contentType,"Content-Length":Buffer.byteLength(h).toString()}}}var pe=class extends ae{constructor(o={}){if(P()!=="node")throw c.business("Node.js Ship class can only be used in Node.js environment.");super(o)}resolveInitialConfig(o){return we(o,{})}async loadFullConfig(){try{let o=await Ve(this.clientOptions.configFile),t=we(this.clientOptions,o);t.deployToken&&!this.clientOptions.deployToken?this.setDeployToken(t.deployToken):t.apiKey&&!this.clientOptions.apiKey&&this.setApiKey(t.apiKey);let n=new B({...this.clientOptions,...t,getAuthHeaders:this.authHeadersCallback,createDeployBody:this.getDeployBodyCreator()});this.replaceHttpClient(n);let i=await this.http.getConfig();_e(i)}catch(o){throw this.initPromise=null,o}}async processInput(o,t){let n=typeof o=="string"?[o]:o;if(!Array.isArray(n)||!n.every(s=>typeof s=="string"))throw c.business("Invalid input type for Node.js environment. Expected string or string[].");if(n.length===0)throw c.business("No files to deploy.");let{processFilesForNode:i}=await Promise.resolve().then(()=>(at(),rt));return i(n,t)}getDeployBodyCreator(){return qe}};v();var j=require("fs"),me=R(require("path"),1);var xe=R(require("columnify"),1),m=require("yoctocolors"),lt=["isCreate"],w=(e,o,t)=>t?o:e(o),E=(e,o,t)=>{console.log(o?JSON.stringify({success:e},null,2)+`
3
+ `:`${w(m.green,e.toLowerCase().replace(/\.$/,""),t)}
4
+ `)},T=(e,o,t)=>{if(o)console.error(JSON.stringify({error:e},null,2)+`
5
+ `);else{let n=w(s=>(0,m.inverse)((0,m.red)(s)),`${w(m.hidden,"[",t)}error${w(m.hidden,"]",t)}`,t),i=w(m.red,e.toLowerCase().replace(/\.$/,""),t);console.error(`${n} ${i}
6
+ `)}},ce=(e,o,t)=>{if(o)console.log(JSON.stringify({warning:e},null,2)+`
7
+ `);else{let n=w(s=>(0,m.inverse)((0,m.yellow)(s)),`${w(m.hidden,"[",t)}warning${w(m.hidden,"]",t)}`,t),i=w(m.yellow,e.toLowerCase().replace(/\.$/,""),t);console.log(`${n} ${i}
8
8
  `)}},H=(e,o,t)=>{if(o)console.log(JSON.stringify({info:e},null,2)+`
9
- `);else{let n=w(s=>(0,u.inverse)((0,u.blue)(s)),`${w(u.hidden,"[",t)}info${w(u.hidden,"]",t)}`,t),i=w(u.blue,e.toLowerCase().replace(/\.$/,""),t);console.log(`${n} ${i}
10
- `)}},qt=(e,o="details",t)=>{if(e==null||e===0)return"-";let n=new Date(e*1e3).toISOString().replace(/\.\d{3}Z$/,"Z");return o==="table"?n.replace(/T/,w(u.hidden,"T",t)).replace(/Z$/,w(u.hidden,"Z",t)):n},lt=(e,o,t="details",n)=>{if(o===null)return"-";if(typeof o=="number"&&(e==="created"||e==="activated"||e==="expires"||e==="linked"||e==="grace"))return qt(o,t,n);if(e==="size"&&typeof o=="number"){let i=o/1048576;return i>=1?`${i.toFixed(1)}Mb`:`${(o/1024).toFixed(1)}Kb`}if(e==="config"){if(typeof o=="boolean")return o?"yes":"no";if(typeof o=="number")return o===1?"yes":"no"}return String(o)},ce=(e,o,t,n)=>{if(!e||e.length===0)return"";let i=e[0],s=o||Object.keys(i).filter(l=>i[l]!==void 0&&!at.includes(l)),r=e.map(l=>{let p=l,d={};return s.forEach(h=>{h in p&&p[h]!==void 0&&(d[h]=lt(h,p[h],"table",t))}),d});return(0,Re.default)(r,{columnSplitter:" ",columns:s,config:s.reduce((l,p)=>(l[p]={headingTransform:d=>w(u.dim,n?.[d]||d,t)},l),{})}).split(`
9
+ `);else{let n=w(s=>(0,m.inverse)((0,m.blue)(s)),`${w(m.hidden,"[",t)}info${w(m.hidden,"]",t)}`,t),i=w(m.blue,e.toLowerCase().replace(/\.$/,""),t);console.log(`${n} ${i}
10
+ `)}},Jt=(e,o="details",t)=>{if(e==null||e===0)return"-";let n=new Date(e*1e3).toISOString().replace(/\.\d{3}Z$/,"Z");return o==="table"?n.replace(/T/,w(m.hidden,"T",t)).replace(/Z$/,w(m.hidden,"Z",t)):n},pt=(e,o,t="details",n)=>{if(o===null||Array.isArray(o)&&o.length===0)return"-";if(typeof o=="number"&&(e==="created"||e==="activated"||e==="expires"||e==="linked"||e==="grace"))return Jt(o,t,n);if(e==="size"&&typeof o=="number"){let i=o/1048576;return i>=1?`${i.toFixed(1)}Mb`:`${(o/1024).toFixed(1)}Kb`}if(e==="config"){if(typeof o=="boolean")return o?"yes":"no";if(typeof o=="number")return o===1?"yes":"no"}return String(o)},W=(e,o,t,n)=>{if(!e||e.length===0)return"";let i=e[0],s=o||Object.keys(i).filter(l=>i[l]!==void 0&&!lt.includes(l)),r=e.map(l=>{let p=l,d={};return s.forEach(h=>{h in p&&p[h]!==void 0&&(d[h]=pt(h,p[h],"table",t))}),d});return(0,xe.default)(r,{columnSplitter:" ",columns:s,config:s.reduce((l,p)=>(l[p]={headingTransform:d=>w(m.dim,n?.[d]||d,t)},l),{})}).split(`
11
11
  `).map(l=>l.replace(/\0/g,"").replace(/\s+$/,"")).join(`
12
12
  `)+`
13
- `},W=(e,o)=>{let t=Object.entries(e).filter(([s,r])=>at.includes(s)?!1:r!==void 0);if(t.length===0)return"";let n=t.map(([s,r])=>({property:s+":",value:lt(s,r,"details",o)}));return(0,Re.default)(n,{columnSplitter:" ",showHeaders:!1,config:{property:{dataTransform:s=>w(u.dim,s,o)}}}).split(`
13
+ `},V=(e,o)=>{let t=Object.entries(e).filter(([s,r])=>lt.includes(s)?!1:r!==void 0);if(t.length===0)return"";let n=t.map(([s,r])=>({property:s+":",value:pt(s,r,"details",o)}));return(0,xe.default)(n,{columnSplitter:" ",showHeaders:!1,config:{property:{dataTransform:s=>w(m.dim,s,o)}}}).split(`
14
14
  `).map(s=>s.replace(/\0/g,"")).join(`
15
15
  `)+`
16
- `};function Jt(e,o,t){let{noColor:n}=t;if(e.deployments.length===0){console.log("no deployments found"),console.log();return}let i=["deployment","labels","created"];console.log(ce(e.deployments,i,n))}function Wt(e,o,t){let{noColor:n}=t;if(e.domains.length===0){console.log("no domains found"),console.log();return}let i=["domain","deployment","labels","linked","created"];console.log(ce(e.domains,i,n))}function Yt(e,o,t){let{noColor:n}=t,{_dnsRecords:i,_shareHash:s,isCreate:r,...a}=e;if(o.operation==="set"){let l=r?"created":"updated";E(`${e.domain} domain ${l}`,!1,n)}i&&i.length>0&&(console.log(),H("DNS Records to configure:",!1,n),i.forEach(l=>{console.log(` ${l.type}: ${l.name} \u2192 ${l.value}`)})),s&&(console.log(),H(`Setup instructions: https://setup.shipstatic.com/${s}/${e.domain}`,!1,n)),console.log(),console.log(W(a,n))}function Xt(e,o,t){let{noColor:n}=t;o.operation==="upload"&&E(`${e.deployment} deployment uploaded`,!1,n),console.log(W(e,n))}function Zt(e,o,t){let{noColor:n}=t;console.log(W(e,n))}function Qt(e,o,t){let{noColor:n}=t;e.message&&E(e.message,!1,n)}function eo(e,o,t){let{noColor:n}=t;if(e.valid){if(E("domain is valid",!1,n),console.log(),e.normalized&&console.log(` normalized: ${e.normalized}`),e.available!==null){let i=e.available?"available \u2713":"already taken";console.log(` availability: ${i}`)}console.log()}else A(e.error||"domain is invalid",!1,n)}function to(e,o,t){let{noColor:n}=t;if(e.tokens.length===0){console.log("no tokens found"),console.log();return}let i=["token","labels","created","expires"];console.log(ce(e.tokens,i,n))}function oo(e,o,t){let{noColor:n}=t;o.operation==="create"&&e.token&&E(`token ${e.token} created`,!1,n),console.log(W(e,n))}function pt(e,o,t){let{json:n,quiet:i,noColor:s}=t;if(i){if(e===void 0||typeof e=="boolean")return;if(e!==null&&typeof e=="object")if("deployments"in e)e.deployments.forEach(r=>console.log(r.deployment));else if("domains"in e)e.domains.forEach(r=>console.log(r.domain));else if("tokens"in e)e.tokens.forEach(r=>console.log(r.token));else if("domain"in e)console.log(e.domain);else if("deployment"in e)console.log(e.deployment);else if("secret"in e)console.log(e.secret);else if("email"in e)console.log(e.email);else if("valid"in e){let r=e;r.valid&&r.normalized&&console.log(r.normalized)}else"message"in e&&console.log(e.message);return}if(e===void 0){o.operation==="remove"&&o.resourceType&&o.resourceId?E(`${o.resourceId} ${o.resourceType.toLowerCase()} removed`,n,s):E("removed successfully",n,s);return}if(typeof e=="boolean"){e?E("api reachable",n,s):A("api unreachable",n,s);return}if(n&&e!==null&&typeof e=="object"){let r={...e};delete r._dnsRecords,delete r._shareHash,delete r.isCreate,console.log(JSON.stringify(r,null,2)),console.log();return}e!==null&&typeof e=="object"?"deployments"in e?Jt(e,o,t):"domains"in e?Wt(e,o,t):"tokens"in e?to(e,o,t):"domain"in e?Yt(e,o,t):"deployment"in e?Xt(e,o,t):"token"in e?oo(e,o,t):"email"in e?Zt(e,o,t):"valid"in e?eo(e,o,t):"message"in e?Qt(e,o,t):E("success",n,s):E("success",n,s)}var y=T(require("fs"),1),$=T(require("path"),1),ke=T(require("os"),1);function ct(){let e=process.env.SHELL||"";return e.includes("bash")?"bash":e.includes("zsh")?"zsh":e.includes("fish")?"fish":null}function dt(e,o){switch(e){case"bash":return{completionFile:$.join(o,".ship_completion.bash"),profileFile:$.join(o,".bash_profile"),scriptName:"ship.bash"};case"zsh":return{completionFile:$.join(o,".ship_completion.zsh"),profileFile:$.join(o,".zshrc"),scriptName:"ship.zsh"};case"fish":return{completionFile:$.join(o,".config/fish/completions/ship.fish"),profileFile:null,scriptName:"ship.fish"}}}function ut(e,o={}){let{json:t,noColor:n}=o,i=ct(),s=ke.homedir();if(!i){A(`unsupported shell: ${process.env.SHELL}. supported: bash, zsh, fish`,t,n);return}let r=dt(i,s),a=$.join(e,r.scriptName);try{if(i==="fish"){let p=$.dirname(r.completionFile);y.existsSync(p)||y.mkdirSync(p,{recursive:!0}),y.copyFileSync(a,r.completionFile),E("fish completion installed successfully",t,n),H("please restart your shell to apply the changes",t,n);return}y.copyFileSync(a,r.completionFile);let l=`# ship
16
+ `};var Ae=(e,o)=>`https://setup.shipstatic.com/${e}/${o}`;function Yt(e,o,t){let{noColor:n}=t;if(e.deployments.length===0){console.log("no deployments found"),console.log();return}let i=["deployment","labels","files","size","created","via"];console.log(W(e.deployments,i,n))}function Wt(e,o,t){let{noColor:n}=t;if(e.domains.length===0){console.log("no domains found"),console.log();return}let i=["domain","deployment","labels","linked","links","created"];console.log(W(e.domains,i,n))}function Xt(e,o,t){let{noColor:n}=t,{_dnsRecords:i,_shareHash:s,isCreate:r,...a}=e;if(o.operation==="set"){let l=r?"created":"updated";E(`${e.domain} domain ${l}`,!1,n)}i&&i.length>0&&(console.log(),H("DNS Records to configure:",!1,n),i.forEach(l=>{console.log(` ${l.type}: ${l.name} \u2192 ${l.value}`)})),s&&(console.log(),H(`Setup instructions: ${Ae(s,e.domain)}`,!1,n)),console.log(V(a,n))}function Zt(e,o,t){let{noColor:n}=t;o.operation==="upload"&&E(`${e.deployment} deployment uploaded`,!1,n),console.log(V(e,n))}function Qt(e,o,t){let{noColor:n}=t;console.log(V(e,n))}function eo(e,o,t){let{noColor:n}=t;e.message&&E(e.message,!1,n)}function to(e,o,t){let{noColor:n}=t;if(e.valid){if(E("domain is valid",!1,n),console.log(),e.normalized&&console.log(` normalized: ${e.normalized}`),e.available!==null){let i=e.available?n?"available":"available \u2713":"already taken";console.log(` availability: ${i}`)}console.log()}else T(e.error||"domain is invalid",!1,n)}function oo(e,o,t){let{noColor:n}=t;if(e.records.length===0){console.log("no records found"),console.log();return}let i=["type","name","value"];console.log(W(e.records,i,n))}function no(e,o,t){let{noColor:n}=t,i=e.dns?.provider?.name||null;console.log(V({domain:e.domain,provider:i},n))}function io(e,o,t){let{noColor:n}=t;E(Ae(e.hash,e.domain),!1,n)}function so(e,o,t){let{noColor:n}=t;if(e.tokens.length===0){console.log("no tokens found"),console.log();return}let i=["token","labels","created","expires"];console.log(W(e.tokens,i,n))}function ro(e,o,t){let{noColor:n}=t;o.operation==="create"&&e.token&&E(`token ${e.token} created`,!1,n),console.log(V(e,n))}function ct(e,o,t){let{json:n,quiet:i,noColor:s}=t;if(i){if(e===void 0||typeof e=="boolean")return;if(e!==null&&typeof e=="object")if("deployments"in e)e.deployments.forEach(r=>console.log(r.deployment));else if("domains"in e)e.domains.forEach(r=>console.log(r.domain));else if("tokens"in e)e.tokens.forEach(r=>console.log(r.token));else if("records"in e)e.records.forEach(r=>console.log(`${r.type} ${r.name} ${r.value}`));else if("hash"in e){let r=e;console.log(Ae(r.hash,r.domain))}else if("dns"in e){let r=e.dns?.provider?.name;r&&console.log(r)}else if("domain"in e)console.log(e.domain);else if("deployment"in e)console.log(e.deployment);else if("secret"in e)console.log(e.secret);else if("email"in e)console.log(e.email);else if("valid"in e){let r=e;r.valid&&r.normalized&&console.log(r.normalized)}else"message"in e&&console.log(e.message);return}if(e===void 0){o.operation==="remove"&&o.resourceType&&o.resourceId?E(`${o.resourceId} ${o.resourceType.toLowerCase()} removed`,n,s):E("removed successfully",n,s);return}if(typeof e=="boolean"){e?E("api reachable",n,s):T("api unreachable",n,s);return}if(n&&e!==null&&typeof e=="object"){let r={...e};delete r._dnsRecords,delete r._shareHash,delete r.isCreate,console.log(JSON.stringify(r,null,2)),console.log();return}e!==null&&typeof e=="object"?"deployments"in e?Yt(e,o,t):"domains"in e?Wt(e,o,t):"tokens"in e?so(e,o,t):"records"in e?oo(e,o,t):"hash"in e?io(e,o,t):"dns"in e?no(e,o,t):"domain"in e?Xt(e,o,t):"deployment"in e?Zt(e,o,t):"token"in e?ro(e,o,t):"email"in e?Qt(e,o,t):"valid"in e?to(e,o,t):"message"in e?eo(e,o,t):E("success",n,s):E("success",n,s)}var y=R(require("fs"),1),L=R(require("path"),1),ke=R(require("os"),1);function dt(){let e=process.env.SHELL||"";return e.includes("bash")?"bash":e.includes("zsh")?"zsh":e.includes("fish")?"fish":null}function mt(e,o){switch(e){case"bash":return{completionFile:L.join(o,".ship_completion.bash"),profileFile:L.join(o,".bash_profile"),scriptName:"ship.bash"};case"zsh":return{completionFile:L.join(o,".ship_completion.zsh"),profileFile:L.join(o,".zshrc"),scriptName:"ship.zsh"};case"fish":return{completionFile:L.join(o,".config/fish/completions/ship.fish"),profileFile:null,scriptName:"ship.fish"}}}function ut(e,o={}){let{json:t,noColor:n}=o,i=dt(),s=ke.homedir();if(!i){T(`unsupported shell: ${process.env.SHELL}. supported: bash, zsh, fish`,t,n);return}let r=mt(i,s),a=L.join(e,r.scriptName);try{if(i==="fish"){let p=L.dirname(r.completionFile);y.existsSync(p)||y.mkdirSync(p,{recursive:!0}),y.copyFileSync(a,r.completionFile),E("fish completion installed successfully",t,n),H("please restart your shell to apply the changes",t,n);return}y.copyFileSync(a,r.completionFile);let l=`# ship
17
17
  source '${r.completionFile}'
18
18
  # ship end`;if(r.profileFile){if(y.existsSync(r.profileFile)){let p=y.readFileSync(r.profileFile,"utf-8");if(!p.includes("# ship")||!p.includes("# ship end")){let d=p.length>0&&!p.endsWith(`
19
19
  `)?`
20
- `:"";y.appendFileSync(r.profileFile,d+l)}}else y.writeFileSync(r.profileFile,l);E(`completion script installed for ${i}`,t,n),pe(`run "source ${r.profileFile}" or restart your shell`,t,n)}}catch(l){let p=l instanceof Error?l.message:String(l);A(`could not install completion script: ${p}`,t,n)}}function mt(e={}){let{json:o,noColor:t}=e,n=ct(),i=ke.homedir();if(!n){A(`unsupported shell: ${process.env.SHELL}. supported: bash, zsh, fish`,o,t);return}let s=dt(n,i);try{if(n==="fish"){y.existsSync(s.completionFile)?(y.unlinkSync(s.completionFile),E("fish completion uninstalled successfully",o,t)):pe("fish completion was not installed",o,t),H("please restart your shell to apply the changes",o,t);return}if(y.existsSync(s.completionFile)&&y.unlinkSync(s.completionFile),!s.profileFile)return;if(!y.existsSync(s.profileFile)){A("profile file not found",o,t);return}let r=y.readFileSync(s.profileFile,"utf-8"),a=r.split(`
20
+ `:"";y.appendFileSync(r.profileFile,d+l)}}else y.writeFileSync(r.profileFile,l);E(`completion script installed for ${i}`,t,n),ce(`run "source ${r.profileFile}" or restart your shell`,t,n)}}catch(l){let p=l instanceof Error?l.message:String(l);T(`could not install completion script: ${p}`,t,n)}}function ft(e={}){let{json:o,noColor:t}=e,n=dt(),i=ke.homedir();if(!n){T(`unsupported shell: ${process.env.SHELL}. supported: bash, zsh, fish`,o,t);return}let s=mt(n,i);try{if(n==="fish"){y.existsSync(s.completionFile)?(y.unlinkSync(s.completionFile),E("fish completion uninstalled successfully",o,t)):ce("fish completion was not installed",o,t),H("please restart your shell to apply the changes",o,t);return}if(y.existsSync(s.completionFile)&&y.unlinkSync(s.completionFile),!s.profileFile)return;if(!y.existsSync(s.profileFile)){T("profile file not found",o,t);return}let r=y.readFileSync(s.profileFile,"utf-8"),a=r.split(`
21
21
  `),l=[],p=0,d=!1;for(;p<a.length;)if(a[p].trim()==="# ship"){for(d=!0,p++;p<a.length&&a[p].trim()!=="# ship end";)p++;p<a.length&&p++}else l.push(a[p]),p++;if(d){let h=r.endsWith(`
22
- `),S=l.length===0?"":l.join(`
22
+ `),D=l.length===0?"":l.join(`
23
23
  `)+(h?`
24
- `:"");y.writeFileSync(s.profileFile,S),E(`completion script uninstalled for ${n}`,o,t),pe(`run "source ${s.profileFile}" or restart your shell`,o,t)}else A("completion was not found in profile",o,t)}catch(r){let a=r instanceof Error?r.message:String(r);A(`could not uninstall completion script: ${a}`,o,t)}}var gt=require("readline/promises"),_=require("fs"),yt=require("os"),St=require("path");C();var de=require("yoctocolors"),G=(0,St.join)((0,yt.homedir)(),".shiprc");function ft(e){return e.length<13?e:e.slice(0,9)+"..."+e.slice(-4)}function ht(){try{return(0,_.existsSync)(G)?JSON.parse((0,_.readFileSync)(G,"utf-8")):{}}catch{return{}}}async function bt(e={}){let{noColor:o,json:t}=e,n=d=>o?d:(0,de.dim)(d),i=d=>o?d:(0,de.green)(d);if(t){let d=ht(),h=typeof d.apiKey=="string"?d.apiKey:void 0,S=typeof d.apiUrl=="string"?d.apiUrl:void 0;console.log(JSON.stringify({path:G,exists:(0,_.existsSync)(G),...h?{apiKey:ft(h)}:{},...S&&S!==K?{apiUrl:S}:{}},null,2)+`
25
- `);return}let s=ht(),r=typeof s.apiKey=="string"?s.apiKey:void 0,a=(0,gt.createInterface)({input:process.stdin,output:process.stdout});console.log("");let l=r?` API Key (${n(ft(r))}): `:" API Key: ",p;try{p=(await a.question(l)).trim()}finally{a.close()}p&&(te(p),s.apiKey=p),(0,_.writeFileSync)(G,JSON.stringify(s,null,2)+`
24
+ `:"");y.writeFileSync(s.profileFile,D),E(`completion script uninstalled for ${n}`,o,t),ce(`run "source ${s.profileFile}" or restart your shell`,o,t)}else T("completion was not found in profile",o,t)}catch(r){let a=r instanceof Error?r.message:String(r);T(`could not uninstall completion script: ${a}`,o,t)}}var yt=require("readline/promises"),U=require("fs"),Dt=require("os"),St=require("path");v();var de=require("yoctocolors"),q=(0,St.join)((0,Dt.homedir)(),".shiprc");function ht(e){return e.length<13?e:e.slice(0,9)+"..."+e.slice(-4)}function gt(){try{return(0,U.existsSync)(q)?JSON.parse((0,U.readFileSync)(q,"utf-8")):{}}catch{return{}}}async function bt(e={}){let{noColor:o,json:t}=e,n=d=>o?d:(0,de.dim)(d),i=d=>o?d:(0,de.green)(d);if(t){let d=gt(),h=typeof d.apiKey=="string"?d.apiKey:void 0,D=typeof d.apiUrl=="string"?d.apiUrl:void 0;console.log(JSON.stringify({path:q,exists:(0,U.existsSync)(q),...h?{apiKey:ht(h)}:{},...D&&D!==z?{apiUrl:D}:{}},null,2)+`
25
+ `);return}let s=gt(),r=typeof s.apiKey=="string"?s.apiKey:void 0,a=(0,yt.createInterface)({input:process.stdin,output:process.stdout});console.log("");let l=r?` API Key (${n(ht(r))}): `:" API Key: ",p;try{p=(await a.question(l)).trim()}finally{a.close()}p&&(oe(p),s.apiKey=p),(0,U.writeFileSync)(q,JSON.stringify(s,null,2)+`
26
26
  `),console.log(`
27
- ${i("saved to")} ${n(G)}
28
- `)}C();function Dt(e){return k(e)?e:e instanceof Error?c.business(e.message):c.business(String(e??"Unknown error"))}function Ct(e,o,t){if(e.isAuthError())return t?.apiKey?"authentication failed: invalid API key":t?.deployToken?"authentication failed: invalid or expired deploy token":"authentication required: use --api-key or --deploy-token, or set SHIP_API_KEY";if(e.isNetworkError()){let n=e.details?.url;return n?`network error: could not reach ${n}`:"network error: could not reach the API. check your internet connection"}return e.isFileError()||e.isValidationError()||e.isClientError()||e.status&&e.status>=400&&e.status<500?e.message:"server error: please try again or check https://status.shipstatic.com"}function vt(e,o){return JSON.stringify({error:e,...o?{details:o}:{}},null,2)}var me=require("yoctocolors");function no(){let e=[ue.resolve(__dirname,"../package.json"),ue.resolve(__dirname,"../../package.json")];for(let o of e)try{return JSON.parse((0,U.readFileSync)(o,"utf-8"))}catch{}return{version:"0.0.0"}}var io=no(),f=new wt.Command;f.exitOverride(e=>{(e.code==="commander.help"||e.code==="commander.version"||e.exitCode===0)&&process.exit(e.exitCode||0);let o=L(f),t=e.message||"unknown command error";t=t.replace(/^error: /,"").replace(/\n.*/,"").replace(/\.$/,"").toLowerCase(),A(t,o.json,o.noColor),o.json||Y(o.noColor),process.exit(e.exitCode||1)}).configureOutput({writeErr:e=>{e.startsWith("error:")||process.stderr.write(e)},writeOut:e=>process.stdout.write(e)});function Y(e){let o=i=>e?i:(0,me.bold)(i),t=i=>e?i:(0,me.dim)(i),n=`${o("USAGE")}
29
- ship <path> \u{1F680} Deploy static sites with simplicity
27
+ ${i("saved to")} ${n(q)}
28
+ `)}v();function Ct(e){return A(e)?e:e instanceof Error?c.business(e.message):c.business(String(e??"Unknown error"))}function vt(e,o,t){if(e.isAuthError())return t?.apiKey?"authentication failed: invalid API key":t?.deployToken?"authentication failed: invalid or expired deploy token":"authentication required: use --api-key or --deploy-token, or set SHIP_API_KEY";if(e.isNetworkError()){let n=e.details?.url;return n?`network error: could not reach ${n}`:"network error: could not reach the API. check your internet connection"}return e.isFileError()||e.isValidationError()||e.isClientError()||e.status&&e.status>=400&&e.status<500?e.message:"server error: please try again or check https://status.shipstatic.com"}function wt(e,o){return JSON.stringify({error:e,...o?{details:o}:{}},null,2)}var ue=require("yoctocolors");function ao(){let e=[me.resolve(__dirname,"../package.json"),me.resolve(__dirname,"../../package.json")];for(let o of e)try{return JSON.parse((0,j.readFileSync)(o,"utf-8"))}catch{}return{version:"0.0.0"}}var lo=ao(),u=new Et.Command;u.exitOverride(e=>{(e.code==="commander.help"||e.code==="commander.version"||e.exitCode===0)&&process.exit(e.exitCode||0),process.argv.includes("--help")&&(X($(u).noColor),process.exit(0));let o=$(u),t=e.message||"unknown command error";t=t.replace(/^error: /,"").replace(/\n.*/,"").replace(/\.$/,"").toLowerCase(),T(t,o.json,o.noColor),o.json||X(o.noColor),process.exit(e.exitCode||1)}).configureOutput({writeErr:e=>{e.startsWith("error:")||process.stderr.write(e)},writeOut:e=>process.stdout.write(e)});function X(e){let o=s=>e?s:(0,ue.bold)(s),t=s=>e?s:(0,ue.dim)(s),n=s=>e?"":`${s} `,i=`${o("USAGE")}
29
+ ship <path> ${n("\u{1F680}")}Deploy static sites with simplicity
30
30
 
31
31
  ${o("COMMANDS")}
32
- \u{1F4E6} ${o("Deployments")}
32
+ ${n("\u{1F4E6}")}${o("Deployments")}
33
33
  ship deployments list List all deployments
34
34
  ship deployments upload <path> Upload deployment from directory
35
35
  ship deployments get <deployment> Show deployment information
36
36
  ship deployments set <deployment> Set deployment labels
37
37
  ship deployments remove <deployment> Delete deployment permanently
38
38
 
39
- \u{1F30E} ${o("Domains")}
39
+ ${n("\u{1F30E}")}${o("Domains")}
40
40
  ship domains list List all domains
41
41
  ship domains set <name> [deployment] Create domain, link to deployment, or update labels
42
42
  ship domains get <name> Show domain information
43
43
  ship domains validate <name> Check if domain name is valid and available
44
+ ship domains records <name> Show required DNS records for domain setup
45
+ ship domains dns <name> Look up DNS provider for a domain
46
+ ship domains share <name> Get shareable DNS setup link
44
47
  ship domains verify <name> Trigger DNS verification for external domain
45
48
  ship domains remove <name> Delete domain permanently
46
49
 
47
- \u{1F511} ${o("Tokens")}
50
+ ${n("\u{1F511}")}${o("Tokens")}
48
51
  ship tokens list List all deploy tokens
49
52
  ship tokens create Create a new deploy token
50
53
  ship tokens remove <token> Delete token permanently
51
54
 
52
- \u2699\uFE0F ${o("Setup")}
53
- ship config Create or update ~/.shiprc configuration
55
+ ${n("\u2699\uFE0F")}${o("Setup")}
56
+ ship config Save your API key
54
57
  ship whoami Get current account information
55
58
 
56
- \u{1F6E0}\uFE0F ${o("Completion")}
59
+ ${n("\u{1F6E0}\uFE0F")}${o("Completion")}
57
60
  ship completion install Install shell completion script
58
61
  ship completion uninstall Uninstall shell completion script
59
62
 
@@ -61,7 +64,7 @@ ${o("FLAGS")}
61
64
  --api-key <key> API key for authenticated deployments
62
65
  --deploy-token <token> Deploy token for single-use deployments
63
66
  --config <file> Custom config file path
64
- --label <label> Add label (repeatable, works with deploy/set commands)
67
+ --label <label> Set label (repeatable, replaces all existing)
65
68
  --no-path-detect Disable automatic path optimization and flattening
66
69
  --no-spa-detect Disable automatic SPA detection and configuration
67
70
  --no-color Disable colored output
@@ -70,10 +73,13 @@ ${o("FLAGS")}
70
73
  --version Show version information
71
74
 
72
75
  ${o("EXAMPLES")}
76
+ ship ./dist
77
+ ship domains set www.example.com happy-cat-abc1234.shipstatic.com
73
78
  ship ./dist -q | ship domains set www.example.com
74
79
 
75
80
  ${t("Please report any issues to https://github.com/shipstatic/ship/issues")}
76
- `;console.log(n)}function X(e,o=[]){return o.concat([e])}function Z(e,o){let t=e?.label?.length?e.label:o?.label;return t?.length?t:void 0}function Q(e){return(...o)=>{let t=L(f),n=o[o.length-1];if(n?.args?.length){let i=n.args.find(s=>!e.includes(s));i&&A(`unknown command '${i}'`,t.json,t.noColor)}Y(t.noColor),process.exit(1)}}function L(e){let o=e.optsWithGlobals();return o.color===!1&&(o.noColor=!0),o}function Et(e,o){let t=L(f),n=Dt(e),i=Ct(n,o,{apiKey:t.apiKey,deployToken:t.deployToken});t.json?console.error(vt(i,n.details)+`
77
- `):(A(i,!1,t.noColor),n.isValidationError()&&i.includes("unknown command")&&Y(t.noColor)),process.exit(1)}function v(e,o){return async function(...t){let n=L(this),i=o?{operation:o.operation,resourceType:o.resourceType,resourceId:o.getResourceId?.(...t)}:{};try{let s=so(),r=await e(s,n,...t);pt(r,i,{json:n.json,quiet:n.quiet,noColor:n.noColor})}catch(s){Et(s,i)}}}function so(){let{config:e,apiUrl:o,apiKey:t,deployToken:n}=f.opts();return new le({configFile:e,apiUrl:o,apiKey:t,deployToken:n})}async function Tt(e,o,t,n,i){if(!(0,U.existsSync)(o))throw c.file(`${o} path does not exist`,o);let s=(0,U.statSync)(o);if(!s.isDirectory()&&!s.isFile())throw c.file(`${o} path must be a file or directory`,o);let r={via:process.env.SHIP_VIA||"cli"};t&&(r.labels=t),n?.noPathDetect!==void 0&&(r.pathDetect=!n.noPathDetect),n?.noSpaDetect!==void 0&&(r.spaDetect=!n.noSpaDetect);let a=new AbortController;r.signal=a.signal;let l=null;if(process.stdout.isTTY&&!i.json&&!i.quiet&&!i.noColor){let{default:d}=await import("yocto-spinner");l=d({text:"uploading\u2026"}).start()}let p=()=>{a.abort(),l&&l.stop(),process.exit(130)};process.on("SIGINT",p);try{return await e.deployments.upload(o,r)}finally{process.removeListener("SIGINT",p),l&&l.stop()}}f.name("ship").description("\u{1F680} Deploy static sites with simplicity").version(io.version,"--version","Show version information").option("--api-key <key>","API key for authenticated deployments").option("--deploy-token <token>","Deploy token for single-use deployments").option("--config <file>","Custom config file path").option("--api-url <url>","API URL (for development)").option("--json","Output results in JSON format").option("-q, --quiet","Output only the resource identifier").option("--no-color","Disable colored output").option("--help","Display help for command").helpOption(!1);f.hook("preAction",e=>{let o=L(e);o.help&&(Y(o.noColor),process.exit(0))});f.hook("preAction",e=>{let o=L(e);try{o.apiKey&&typeof o.apiKey=="string"&&te(o.apiKey),o.deployToken&&typeof o.deployToken=="string"&&$e(o.deployToken),o.apiUrl&&typeof o.apiUrl=="string"&&Le(o.apiUrl)}catch(t){throw k(t)&&(A(t.message,o.json,o.noColor),process.exit(1)),t}});f.command("ping").description("Check API connectivity").action(v((e,o)=>e.ping()));f.command("whoami").description("Get current account information").action(v((e,o)=>e.whoami(),{operation:"get",resourceType:"Account"}));var ee=f.command("deployments").description("Manage deployments").enablePositionalOptions().action(Q(["list","upload","get","set","remove"]));ee.command("list").description("List all deployments").action(v((e,o)=>e.deployments.list()));ee.command("upload <path>").description("Upload deployment from file or directory").passThroughOptions().option("--label <label>","Label to add (can be repeated)",X,[]).option("--no-path-detect","Disable automatic path optimization and flattening").option("--no-spa-detect","Disable automatic SPA detection and configuration").action(v((e,o,t,n)=>Tt(e,t,Z(n,f.opts()),n,o),{operation:"upload"}));ee.command("get <deployment>").description("Show deployment information").action(v((e,o,t)=>e.deployments.get(t),{operation:"get",resourceType:"Deployment",getResourceId:e=>e}));ee.command("set <deployment>").description("Set deployment labels").passThroughOptions().option("--label <label>","Label to set (can be repeated)",X,[]).action(v(async(e,o,t,n)=>{let i=Z(n,f.opts())||[];return e.deployments.set(t,{labels:i})},{operation:"set",resourceType:"Deployment",getResourceId:e=>e}));ee.command("remove <deployment>").description("Delete deployment permanently").action(v((e,o,t)=>e.deployments.remove(t),{operation:"remove",resourceType:"Deployment",getResourceId:e=>e}));var V=f.command("domains").description("Manage domains").enablePositionalOptions().action(Q(["list","get","set","validate","verify","remove"]));V.command("list").description("List all domains").action(v((e,o)=>e.domains.list()));V.command("get <name>").description("Show domain information").action(v((e,o,t)=>e.domains.get(t),{operation:"get",resourceType:"Domain",getResourceId:e=>e}));V.command("validate <name>").description("Check if domain name is valid and available").action(v((e,o,t)=>e.domains.validate(t),{operation:"validate",resourceType:"Domain",getResourceId:e=>e}));V.command("verify <name>").description("Trigger DNS verification for external domain").action(v((e,o,t)=>e.domains.verify(t),{operation:"verify",resourceType:"Domain",getResourceId:e=>e}));V.command("set <name> [deployment]").description("Create domain, link to deployment, or update labels").passThroughOptions().option("--label <label>","Label to set (can be repeated)",X,[]).action(v(async(e,o,t,n,i)=>{!n&&!process.stdin.isTTY&&(n=await new Promise(l=>{let p="";process.stdin.on("data",d=>p+=d),process.stdin.on("end",()=>l(p.trim()||void 0))}));let s=Z(i,f.opts()),r={};n&&(r.deployment=n),s&&s.length>0&&(r.labels=s);let a=await e.domains.set(t,r);if(a.isCreate&&t.includes("."))try{let[l,p]=await Promise.all([e.domains.records(t),e.domains.share(t)]);return{...a,_dnsRecords:l.records,_shareHash:p.hash}}catch{}return a},{operation:"set",resourceType:"Domain",getResourceId:e=>e}));V.command("remove <name>").description("Delete domain permanently").action(v((e,o,t)=>e.domains.remove(t),{operation:"remove",resourceType:"Domain",getResourceId:e=>e}));var Oe=f.command("tokens").description("Manage deploy tokens").enablePositionalOptions().action(Q(["list","create","remove"]));Oe.command("list").description("List all tokens").action(v((e,o)=>e.tokens.list()));Oe.command("create").description("Create a new deploy token").option("--ttl <seconds>","Time to live in seconds (default: never expires)",parseInt).option("--label <label>","Label to set (can be repeated)",X,[]).action(v((e,o,t)=>{let n={};t?.ttl!==void 0&&(n.ttl=t.ttl);let i=Z(t,f.opts());return i&&i.length>0&&(n.labels=i),e.tokens.create(n)},{operation:"create",resourceType:"Token"}));Oe.command("remove <token>").description("Delete token permanently").action(v((e,o,t)=>e.tokens.remove(t),{operation:"remove",resourceType:"Token",getResourceId:e=>e}));var ro=f.command("account").description("Manage account").action(Q(["get"]));ro.command("get").description("Show account information").action(v((e,o)=>e.whoami(),{operation:"get",resourceType:"Account"}));var At=f.command("completion").description("Setup shell completion").action(Q(["install","uninstall"]));At.command("install").description("Install shell completion script").action(()=>{let e=L(f),o=ue.resolve(__dirname,"completions");ut(o,{json:e.json,noColor:e.noColor})});At.command("uninstall").description("Uninstall shell completion script").action(()=>{let e=L(f);mt({json:e.json,noColor:e.noColor})});f.command("config").description("Create or update ~/.shiprc configuration").action(async()=>{let e=L(f);try{await bt({noColor:e.noColor,json:e.json})}catch(o){Et(o)}});f.argument("[path]","Path to deploy").option("--label <label>","Label to add (can be repeated)",X,[]).option("--no-path-detect","Disable automatic path optimization and flattening").option("--no-spa-detect","Disable automatic SPA detection and configuration").action(v(async(e,o,t,n)=>{if(t||(Y(o.noColor),process.exit(0)),!(0,U.existsSync)(t)&&!t.includes("/")&&!t.includes("\\")&&!t.includes(".")&&!t.startsWith("~"))throw c.validation(`unknown command '${t}'`);return Tt(e,t,Z(n,f.opts()),n,o)},{operation:"upload"}));function ao(){let e=process.argv,o=e.includes("--compbash"),t=e.includes("--compzsh"),n=e.includes("--compfish");if(!o&&!t&&!n)return;console.log(["ping","whoami","deployments","domains","tokens","account","config","completion"].join(n?`
78
- `:" ")),process.exit(0)}process.env.NODE_ENV!=="test"&&(process.argv.includes("--compbash")||process.argv.includes("--compzsh")||process.argv.includes("--compfish"))&&ao();if(process.env.NODE_ENV!=="test")try{f.parse(process.argv)}catch(e){if(e instanceof Error&&"code"in e){let o=e.code,t=e.exitCode;o?.startsWith("commander.")&&process.exit(t||1)}throw e}
81
+ `;console.log(i)}function Z(e,o=[]){return o.concat([e])}function Q(e,o){let t=e?.label?.length?e.label:o?.label;return t?.length?t:void 0}function ee(e,o){return(...t)=>{let n=$(u),i=t[t.length-1];if(i?.args?.length){let s=i.args.find(r=>!o.includes(r));s&&T(`unknown command '${s}'`,n.json,n.noColor)}n.json||console.log(`usage: ship ${e} <${o.join("|")}>
82
+ `),process.exit(1)}}function $(e){let o=e.optsWithGlobals();o.color===!1&&(o.noColor=!0);let t=!!process.env.FORCE_COLOR&&process.env.FORCE_COLOR!=="0";return!o.noColor&&!t&&(!process.stdout.isTTY||process.env.NO_COLOR!==void 0)&&(o.noColor=!0),o}function Rt(e,o){let t=$(u),n=Ct(e),i=vt(n,o,{apiKey:t.apiKey,deployToken:t.deployToken});t.json?console.error(wt(i,n.details)+`
83
+ `):(T(i,!1,t.noColor),n.isValidationError()&&i.includes("unknown command")&&X(t.noColor)),process.exit(1)}function b(e,o){return async function(...t){let n=$(this),i=o?{operation:o.operation,resourceType:o.resourceType,resourceId:o.getResourceId?.(...t)}:{};try{let s=po(),r=await e(s,n,...t);ct(r,i,{json:n.json,quiet:n.quiet,noColor:n.noColor})}catch(s){Rt(s,i)}}}function po(){let{config:e,apiUrl:o,apiKey:t,deployToken:n}=u.opts();return new pe({configFile:e,apiUrl:o,apiKey:t,deployToken:n})}async function Tt(e,o,t,n,i){if(!(0,j.existsSync)(o))throw c.file(`${o} path does not exist`,o);let s=(0,j.statSync)(o);if(!s.isDirectory()&&!s.isFile())throw c.file(`${o} path must be a file or directory`,o);let r={via:process.env.SHIP_VIA||"cli"};t&&(r.labels=t),n?.noPathDetect!==void 0&&(r.pathDetect=!n.noPathDetect),n?.noSpaDetect!==void 0&&(r.spaDetect=!n.noSpaDetect);let a=new AbortController;r.signal=a.signal;let l=null;if(process.stdout.isTTY&&!i.json&&!i.quiet&&!i.noColor){let{default:d}=await import("yocto-spinner");l=d({text:"uploading\u2026"}).start()}let p=()=>{a.abort(),l&&l.stop(),process.exit(130)};process.on("SIGINT",p);try{return await e.deployments.upload(o,r)}finally{process.removeListener("SIGINT",p),l&&l.stop()}}u.name("ship").description("\u{1F680} Deploy static sites with simplicity").version(lo.version,"--version","Show version information").option("--api-key <key>","API key for authenticated deployments").option("--deploy-token <token>","Deploy token for single-use deployments").option("--config <file>","Custom config file path").option("--api-url <url>","API URL (for development)").option("--json","Output results in JSON format").option("-q, --quiet","Output only the resource identifier").option("--no-color","Disable colored output").option("--help","Display help for command").helpOption(!1);u.hook("preAction",e=>{let o=$(e);o.help&&(X(o.noColor),process.exit(0))});u.hook("preAction",e=>{let o=$(e);try{o.apiKey&&typeof o.apiKey=="string"&&oe(o.apiKey),o.deployToken&&typeof o.deployToken=="string"&&Le(o.deployToken),o.apiUrl&&typeof o.apiUrl=="string"&&Ne(o.apiUrl)}catch(t){throw A(t)&&(T(t.message,o.json,o.noColor),process.exit(1)),t}});u.command("ping").description("Check API connectivity").action(b((e,o)=>e.ping()));u.command("whoami").description("Get current account information").action(b((e,o)=>e.whoami(),{operation:"get",resourceType:"Account"}));var te=u.command("deployments").description("Manage deployments").enablePositionalOptions().action(ee("deployments",["list","upload","get","set","remove"]));te.command("list").description("List all deployments").action(b((e,o)=>e.deployments.list()));te.command("upload <path>").description("Upload deployment from file or directory").passThroughOptions().option("--label <label>","Label to add (can be repeated)",Z,[]).option("--no-path-detect","Disable automatic path optimization and flattening").option("--no-spa-detect","Disable automatic SPA detection and configuration").action(b((e,o,t,n)=>Tt(e,t,Q(n,u.opts()),n,o),{operation:"upload"}));te.command("get <deployment>").description("Show deployment information").action(b((e,o,t)=>e.deployments.get(t),{operation:"get",resourceType:"Deployment",getResourceId:e=>e}));te.command("set <deployment>").description("Set deployment labels").passThroughOptions().option("--label <label>","Label to set (can be repeated)",Z,[]).action(b(async(e,o,t,n)=>{let i=Q(n,u.opts())||[];return e.deployments.set(t,{labels:i})},{operation:"set",resourceType:"Deployment",getResourceId:e=>e}));te.command("remove <deployment>").description("Delete deployment permanently").action(b((e,o,t)=>e.deployments.remove(t),{operation:"remove",resourceType:"Deployment",getResourceId:e=>e}));var N=u.command("domains").description("Manage domains").enablePositionalOptions().action(ee("domains",["list","get","set","validate","records","dns","share","verify","remove"]));N.command("list").description("List all domains").action(b((e,o)=>e.domains.list()));N.command("get <name>").description("Show domain information").action(b((e,o,t)=>e.domains.get(t),{operation:"get",resourceType:"Domain",getResourceId:e=>e}));N.command("validate <name>").description("Check if domain name is valid and available").action(b(async(e,o,t)=>{let n=await e.domains.validate(t);return n.valid||(process.exitCode=1),n},{operation:"validate",resourceType:"Domain",getResourceId:e=>e}));N.command("verify <name>").description("Trigger DNS verification for external domain").action(b((e,o,t)=>e.domains.verify(t),{operation:"verify",resourceType:"Domain",getResourceId:e=>e}));N.command("records <name>").description("Show required DNS records for domain setup").action(b((e,o,t)=>e.domains.records(t),{operation:"records",resourceType:"Domain",getResourceId:e=>e}));N.command("dns <name>").description("Look up DNS provider for a domain").action(b((e,o,t)=>e.domains.dns(t),{operation:"dns",resourceType:"Domain",getResourceId:e=>e}));N.command("share <name>").description("Get shareable DNS setup link").action(b((e,o,t)=>e.domains.share(t),{operation:"share",resourceType:"Domain",getResourceId:e=>e}));N.command("set <name> [deployment]").description("Create domain, link to deployment, or update labels").passThroughOptions().option("--label <label>","Label to set (can be repeated)",Z,[]).action(b(async(e,o,t,n,i)=>{!n&&!process.stdin.isTTY&&(n=await new Promise(l=>{let p="";process.stdin.on("data",d=>p+=d),process.stdin.on("end",()=>l(p.trim()||void 0))}));let s=Q(i,u.opts()),r={};n&&(r.deployment=n),s&&s.length>0&&(r.labels=s);let a=await e.domains.set(t,r);if(a.isCreate&&t.includes("."))try{let[l,p]=await Promise.all([e.domains.records(t),e.domains.share(t)]);return{...a,_dnsRecords:l.records,_shareHash:p.hash}}catch{}return a},{operation:"set",resourceType:"Domain",getResourceId:e=>e}));N.command("remove <name>").description("Delete domain permanently").action(b((e,o,t)=>e.domains.remove(t),{operation:"remove",resourceType:"Domain",getResourceId:e=>e}));var Ie=u.command("tokens").description("Manage deploy tokens").enablePositionalOptions().action(ee("tokens",["list","create","remove"]));Ie.command("list").description("List all tokens").action(b((e,o)=>e.tokens.list()));Ie.command("create").description("Create a new deploy token").option("--ttl <seconds>","Time to live in seconds (default: never expires)",parseInt).option("--label <label>","Label to set (can be repeated)",Z,[]).action(b((e,o,t)=>{let n={};t?.ttl!==void 0&&(n.ttl=t.ttl);let i=Q(t,u.opts());return i&&i.length>0&&(n.labels=i),e.tokens.create(n)},{operation:"create",resourceType:"Token"}));Ie.command("remove <token>").description("Delete token permanently").action(b((e,o,t)=>e.tokens.remove(t),{operation:"remove",resourceType:"Token",getResourceId:e=>e}));var co=u.command("account").description("Manage account").action(ee("account",["get"]));co.command("get").description("Show account information").action(b((e,o)=>e.whoami(),{operation:"get",resourceType:"Account"}));var Ot=u.command("completion").description("Setup shell completion").action(ee("completion",["install","uninstall"]));Ot.command("install").description("Install shell completion script").action(()=>{let e=$(u),o=me.resolve(__dirname,"completions");ut(o,{json:e.json,noColor:e.noColor})});Ot.command("uninstall").description("Uninstall shell completion script").action(()=>{let e=$(u);ft({json:e.json,noColor:e.noColor})});u.command("config").description("Save your API key").action(async()=>{let e=$(u);try{await bt({noColor:e.noColor,json:e.json})}catch(o){Rt(o)}});u.argument("[path]","Path to deploy").option("--label <label>","Label to add (can be repeated)",Z,[]).option("--no-path-detect","Disable automatic path optimization and flattening").option("--no-spa-detect","Disable automatic SPA detection and configuration").action(b(async(e,o,t,n)=>{if(t||(X(o.noColor),process.exit(0)),!(0,j.existsSync)(t)&&!t.includes("/")&&!t.includes("\\")&&!t.includes(".")&&!t.startsWith("~"))throw c.validation(`unknown command '${t}'`);return Tt(e,t,Q(n,u.opts()),n,o)},{operation:"upload"}));function mo(){let e=process.argv,o=e.includes("--compbash"),t=e.includes("--compzsh"),n=e.includes("--compfish");if(!o&&!t&&!n)return;console.log(["ping","whoami","deployments","domains","tokens","account","config","completion"].join(n?`
84
+ `:" ")),process.exit(0)}process.env.NODE_ENV!=="test"&&(process.argv.includes("--compbash")||process.argv.includes("--compzsh")||process.argv.includes("--compfish"))&&mo();if(process.env.NODE_ENV!=="test")try{u.parse(process.argv)}catch(e){if(e instanceof Error&&"code"in e){let o=e.code,t=e.exitCode;o?.startsWith("commander.")&&process.exit(t||1)}throw e}
79
85
  //# sourceMappingURL=cli.cjs.map