Skip to content

Commit ba663e3

Browse files
committedFeb 28, 2025·
feat(cli): add app undeploy command
1 parent aeba897 commit ba663e3

File tree

8 files changed

+258
-3
lines changed

8 files changed

+258
-3
lines changed
 
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,126 @@
1+
import {type CliCommandArguments, type CliCommandContext} from '@sanity/cli'
2+
import {beforeEach, describe, expect, it, type Mock, vi} from 'vitest'
3+
4+
import {type UserApplication} from '../../deploy/helpers'
5+
import * as _helpers from '../../deploy/helpers'
6+
import undeployCoreAppAction from '../undeployAction'
7+
8+
// Mock dependencies
9+
vi.mock('../../deploy/helpers')
10+
11+
const helpers = vi.mocked(_helpers)
12+
type SpinnerInstance = {
13+
start: Mock<() => SpinnerInstance>
14+
succeed: Mock<() => SpinnerInstance>
15+
fail: Mock<() => SpinnerInstance>
16+
}
17+
18+
describe('undeployCoreAppAction', () => {
19+
let mockContext: CliCommandContext
20+
21+
const mockApplication: UserApplication = {
22+
id: 'app-id',
23+
organizationId: 'org-id',
24+
appHost: 'app-host',
25+
createdAt: new Date().toISOString(),
26+
updatedAt: new Date().toISOString(),
27+
urlType: 'internal',
28+
projectId: null,
29+
title: null,
30+
type: 'coreApp',
31+
}
32+
33+
let spinnerInstance: SpinnerInstance
34+
35+
beforeEach(() => {
36+
vi.clearAllMocks()
37+
38+
spinnerInstance = {
39+
start: vi.fn(() => spinnerInstance),
40+
succeed: vi.fn(() => spinnerInstance),
41+
fail: vi.fn(() => spinnerInstance),
42+
}
43+
44+
mockContext = {
45+
apiClient: vi.fn().mockReturnValue({
46+
withConfig: vi.fn().mockReturnThis(),
47+
}),
48+
chalk: {yellow: vi.fn((str) => str), red: vi.fn((str) => str)},
49+
output: {
50+
print: vi.fn(),
51+
spinner: vi.fn().mockReturnValue(spinnerInstance),
52+
},
53+
prompt: {single: vi.fn()},
54+
cliConfig: {},
55+
} as unknown as CliCommandContext
56+
})
57+
58+
it('does nothing if there is no user application', async () => {
59+
helpers.getUserApplication.mockResolvedValueOnce(null)
60+
61+
await undeployCoreAppAction({} as CliCommandArguments<Record<string, unknown>>, mockContext)
62+
63+
expect(mockContext.output.print).toHaveBeenCalledWith(
64+
'Your project has not been assigned a Core application ID',
65+
)
66+
expect(mockContext.output.print).toHaveBeenCalledWith(
67+
'or you do not have __experimental_coreAppConfiguration set in sanity.cli.js or sanity.cli.ts.',
68+
)
69+
expect(mockContext.output.print).toHaveBeenCalledWith('Nothing to undeploy.')
70+
})
71+
72+
it('prompts the user for confirmation and undeploys if confirmed', async () => {
73+
helpers.getUserApplication.mockResolvedValueOnce(mockApplication)
74+
helpers.deleteUserApplication.mockResolvedValueOnce(undefined)
75+
;(mockContext.prompt.single as Mock<typeof mockContext.prompt.single>).mockResolvedValueOnce(
76+
true,
77+
) // User confirms
78+
79+
await undeployCoreAppAction({} as CliCommandArguments<Record<string, unknown>>, mockContext)
80+
81+
expect(mockContext.prompt.single).toHaveBeenCalledWith({
82+
type: 'confirm',
83+
default: false,
84+
message: expect.stringContaining('undeploy'),
85+
})
86+
expect(helpers.deleteUserApplication).toHaveBeenCalledWith({
87+
client: expect.anything(),
88+
applicationId: 'app-id',
89+
appType: 'coreApp',
90+
})
91+
expect(mockContext.output.print).toHaveBeenCalledWith(
92+
expect.stringContaining('Application undeploy scheduled.'),
93+
)
94+
})
95+
96+
it('does not undeploy if the user cancels the prompt', async () => {
97+
helpers.getUserApplication.mockResolvedValueOnce(mockApplication)
98+
;(mockContext.prompt.single as Mock<typeof mockContext.prompt.single>).mockResolvedValueOnce(
99+
false,
100+
) // User cancels
101+
102+
await undeployCoreAppAction({} as CliCommandArguments<Record<string, unknown>>, mockContext)
103+
104+
expect(mockContext.prompt.single).toHaveBeenCalledWith({
105+
type: 'confirm',
106+
default: false,
107+
message: expect.stringContaining('undeploy'),
108+
})
109+
expect(helpers.deleteUserApplication).not.toHaveBeenCalled()
110+
})
111+
112+
it('handles errors during the undeploy process', async () => {
113+
const errorMessage = 'Example error'
114+
helpers.getUserApplication.mockResolvedValueOnce(mockApplication)
115+
helpers.deleteUserApplication.mockRejectedValueOnce(new Error(errorMessage))
116+
;(mockContext.prompt.single as Mock<typeof mockContext.prompt.single>).mockResolvedValueOnce(
117+
true,
118+
) // User confirms
119+
120+
await expect(
121+
undeployCoreAppAction({} as CliCommandArguments<Record<string, unknown>>, mockContext),
122+
).rejects.toThrow(errorMessage)
123+
124+
expect(mockContext.output.spinner('').fail).toHaveBeenCalled()
125+
})
126+
})
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,74 @@
1+
import {type CliCommandArguments, type CliCommandContext} from '@sanity/cli'
2+
3+
import {debug as debugIt} from '../../debug'
4+
import {deleteUserApplication, getUserApplication} from '../deploy/helpers'
5+
6+
const debug = debugIt.extend('undeploy')
7+
8+
export default async function undeployCoreAppAction(
9+
_: CliCommandArguments<Record<string, unknown>>,
10+
context: CliCommandContext,
11+
): Promise<void> {
12+
const {apiClient, chalk, output, prompt, cliConfig} = context
13+
14+
const client = apiClient({
15+
requireUser: true,
16+
requireProject: false,
17+
}).withConfig({apiVersion: 'v2024-08-01'})
18+
19+
// Check that the project has a Core application ID
20+
let spinner = output.spinner('Checking application info').start()
21+
22+
const userApplication = await getUserApplication({
23+
client,
24+
appId:
25+
cliConfig && '__experimental_coreAppConfiguration' in cliConfig
26+
? cliConfig.__experimental_coreAppConfiguration?.appId
27+
: undefined,
28+
})
29+
30+
spinner.succeed()
31+
32+
if (!userApplication) {
33+
output.print('Your project has not been assigned a Core application ID')
34+
output.print(
35+
'or you do not have __experimental_coreAppConfiguration set in sanity.cli.js or sanity.cli.ts.',
36+
)
37+
output.print('Nothing to undeploy.')
38+
return
39+
}
40+
41+
// Double-check
42+
output.print('')
43+
44+
const url = `https://${chalk.yellow(userApplication.appHost)}.sanity.studio`
45+
const shouldUndeploy = await prompt.single({
46+
type: 'confirm',
47+
default: false,
48+
message: `This will undeploy ${url} and make it unavailable for your users.
49+
The hostname will be available for anyone to claim.
50+
Are you ${chalk.red('sure')} you want to undeploy?`.trim(),
51+
})
52+
53+
if (!shouldUndeploy) {
54+
return
55+
}
56+
57+
spinner = output.spinner('Undeploying application').start()
58+
try {
59+
await deleteUserApplication({
60+
client,
61+
applicationId: userApplication.id,
62+
appType: 'coreApp',
63+
})
64+
spinner.succeed()
65+
} catch (err) {
66+
spinner.fail()
67+
debug('Error undeploying application', err)
68+
throw err
69+
}
70+
71+
output.print(
72+
`Application undeploy scheduled. It might take a few minutes before ${url} is unavailable.`,
73+
)
74+
}

‎packages/sanity/src/_internal/cli/actions/deploy/__tests__/helpers.test.ts

+12-1
Original file line numberDiff line numberDiff line change
@@ -294,11 +294,15 @@ describe('deleteUserApplication', () => {
294294
await deleteUserApplication({
295295
client: mockClient,
296296
applicationId: 'app-id',
297+
appType: 'studio',
297298
})
298299

299300
expect(mockClientRequest).toHaveBeenCalledWith({
300301
uri: '/user-applications/app-id',
301302
method: 'DELETE',
303+
query: {
304+
appType: 'studio',
305+
},
302306
})
303307
})
304308

@@ -307,12 +311,19 @@ describe('deleteUserApplication', () => {
307311
mockClientRequest.mockRejectedValueOnce(new Error(errorMessage))
308312

309313
await expect(
310-
deleteUserApplication({client: mockClient, applicationId: 'app-id'}),
314+
deleteUserApplication({
315+
client: mockClient,
316+
applicationId: 'app-id',
317+
appType: 'studio',
318+
}),
311319
).rejects.toThrow(errorMessage)
312320

313321
expect(mockClientRequest).toHaveBeenCalledWith({
314322
uri: '/user-applications/app-id',
315323
method: 'DELETE',
324+
query: {
325+
appType: 'studio',
326+
},
316327
})
317328
})
318329
})

‎packages/sanity/src/_internal/cli/actions/deploy/__tests__/undeployAction.test.ts

+2
Original file line numberDiff line numberDiff line change
@@ -21,6 +21,7 @@ describe('undeployStudioAction', () => {
2121
const mockApplication: UserApplication = {
2222
id: 'app-id',
2323
appHost: 'app-host',
24+
organizationId: null,
2425
createdAt: new Date().toISOString(),
2526
updatedAt: new Date().toISOString(),
2627
urlType: 'internal',
@@ -85,6 +86,7 @@ describe('undeployStudioAction', () => {
8586
expect(helpers.deleteUserApplication).toHaveBeenCalledWith({
8687
client: expect.anything(),
8788
applicationId: 'app-id',
89+
appType: 'studio',
8890
})
8991
expect(mockContext.output.print).toHaveBeenCalledWith(
9092
expect.stringContaining('Studio undeploy scheduled.'),

‎packages/sanity/src/_internal/cli/actions/deploy/helpers.ts

+9-1
Original file line numberDiff line numberDiff line change
@@ -497,13 +497,21 @@ export async function createDeployment({
497497
export interface DeleteUserApplicationOptions {
498498
client: SanityClient
499499
applicationId: string
500+
appType: 'coreApp' | 'studio'
500501
}
501502

502503
export async function deleteUserApplication({
503504
applicationId,
504505
client,
506+
appType,
505507
}: DeleteUserApplicationOptions): Promise<void> {
506-
await client.request({uri: `/user-applications/${applicationId}`, method: 'DELETE'})
508+
await client.request({
509+
uri: `/user-applications/${applicationId}`,
510+
query: {
511+
appType,
512+
},
513+
method: 'DELETE',
514+
})
507515
}
508516

509517
export async function getInstalledSanityVersion(): Promise<string> {

‎packages/sanity/src/_internal/cli/actions/deploy/undeployAction.ts

+5-1
Original file line numberDiff line numberDiff line change
@@ -51,7 +51,11 @@ export default async function undeployStudioAction(
5151

5252
spinner = output.spinner('Undeploying studio').start()
5353
try {
54-
await deleteUserApplication({client, applicationId: userApplication.id})
54+
await deleteUserApplication({
55+
client,
56+
applicationId: userApplication.id,
57+
appType: 'studio',
58+
})
5559
spinner.succeed()
5660
} catch (err) {
5761
spinner.fail()
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,28 @@
1+
import {
2+
type CliCommandArguments,
3+
type CliCommandContext,
4+
type CliCommandDefinition,
5+
} from '@sanity/cli'
6+
7+
const helpText = `
8+
Examples
9+
sanity app undeploy
10+
`
11+
12+
const appUndeployCommand: CliCommandDefinition = {
13+
name: 'undeploy',
14+
group: 'app',
15+
signature: '',
16+
description: 'Removes the deployed Core application from Sanity hosting',
17+
action: async (
18+
args: CliCommandArguments<Record<string, unknown>>,
19+
context: CliCommandContext,
20+
) => {
21+
const mod = await import('../../actions/app/undeployAction')
22+
23+
return mod.default(args, context)
24+
},
25+
helpText,
26+
}
27+
28+
export default appUndeployCommand

‎packages/sanity/src/_internal/cli/commands/index.ts

+2
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,7 @@ import appBuildCommand from './app/buildCommand'
55
import appDeployCommand from './app/deployCommand'
66
import appDevCommand from './app/devCommand'
77
import appStartCommand from './app/startCommand'
8+
import appUndeployCommand from './app/undeployCommand'
89
import backupGroup from './backup/backupGroup'
910
import disableBackupCommand from './backup/disableBackupCommand'
1011
import downloadBackupCommand from './backup/downloadBackupCommand'
@@ -65,6 +66,7 @@ const commands: (CliCommandDefinition | CliCommandGroupDefinition)[] = [
6566
appDevCommand,
6667
appBuildCommand,
6768
appStartCommand,
69+
appUndeployCommand,
6870
buildCommand,
6971
datasetGroup,
7072
deployCommand,

0 commit comments

Comments
 (0)
Please sign in to comment.