@wise/wds-codemods 1.0.0-experimental-a1aceef → 1.0.0-experimental-51ae005

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,500 +0,0 @@
1
- const require_constants = require('./constants-CcE2TmzN.js');
2
- let node_child_process = require("node:child_process");
3
- let node_path = require("node:path");
4
- let spinnies = require("spinnies");
5
- spinnies = require_constants.__toESM(spinnies);
6
- let node_fs = require("node:fs");
7
- let node_https = require("node:https");
8
- node_https = require_constants.__toESM(node_https);
9
- let __anthropic_ai_claude_agent_sdk = require("@anthropic-ai/claude-agent-sdk");
10
- let diff = require("diff");
11
-
12
- //#region src/helpers/spinnerLogs.ts
13
- function logToConsole({ spinnies: spinnies$1, spinnerId, options }) {
14
- spinnies$1.add(spinnerId, options);
15
- }
16
- function logStaticMessage(spinnies$1, message) {
17
- logToConsole({
18
- spinnies: spinnies$1,
19
- spinnerId: `static-message-${Date.now()}-${message.slice(0, 10).replace(/\s+/gu, "-")}-${Math.floor(Math.random() * 1e4)}`,
20
- options: {
21
- text: message,
22
- status: "non-spinnable"
23
- }
24
- });
25
- }
26
-
27
- //#endregion
28
- //#region src/transforms/list-item/constants.ts
29
- const DEPRECATED_COMPONENT_NAMES = [
30
- "ActionOption",
31
- "NavigationOption",
32
- "NavigationOptionList",
33
- "Summary",
34
- "SwitchOption",
35
- "CheckboxOption",
36
- "RadioOption"
37
- ];
38
- const MIGRATION_RULES = `Migration rules:
39
- # Legacy Component → ListItem Migration Guide
40
-
41
- ## Import Management
42
- 1. Remove imports: \`{ ActionOption, NavigationOption, NavigationOptionList, Summary, SwitchOption, CheckboxOption, RadioOption }\` from \`'@transferwise/components'\`
43
- 2. Add import: \`{ ListItem }\` from \`'@transferwise/components'\`
44
- 3. For Summary with info: Add \`{ Modal }\` and/or \`{ Popover }\` from \`'@transferwise/components'\`
45
- 4. For Summary with info: Add \`{ QuestionMarkCircle }\` from \`'@transferwise/icons'\`
46
- 5. For Summary with info modal: Add \`{ useState }\` from \`'react'\`
47
-
48
- ## Universal Rules
49
- 1. \`title\` → \`title\` (direct)
50
- 2. \`content\` or \`description\` → \`subtitle\`
51
- 3. \`disabled\` stays on \`ListItem\` (not controls)
52
- 4. \`id\` stays on \`ListItem\` (not controls)
53
- 5. Remove deprecated props: \`as\`, \`complex\`, \`showMediaAtAllSizes\`, \`showMediaCircle\`, \`isContainerAligned\`
54
- 6. Preserve string quotes exactly as they are (don't convert \`\` to \`'\` or \`"\`)
55
- 7. When wrapping icons in \`ListItem.AvatarView\`: move \`size\` from icon to AvatarView (except Summary always uses 32)
56
-
57
- ---
58
-
59
- ## ActionOption → ListItem.Button
60
-
61
- - \`action\` → Button children
62
- - \`onClick\` → Button \`onClick\`
63
- - Priority mapping:
64
- - default or \`"primary"\` → \`"primary"\`
65
- - \`"secondary"\` → \`"secondary-neutral"\`
66
- - \`"secondary-send"\` → \`"secondary"\`
67
- - \`"tertiary"\` → \`"tertiary"\`
68
-
69
- \`\`\`tsx
70
- <ActionOption title="Title" content="Text" action="Click" priority="secondary" onClick={fn} />
71
-
72
- <ListItem title="Title" subtitle="Text" control={<ListItem.Button priority="secondary-neutral" onClick={fn}>Click</ListItem.Button>} />
73
- \`\`\`
74
-
75
- ---
76
-
77
- ## CheckboxOption → ListItem.Checkbox
78
-
79
- - \`id\` stays on ListItem
80
- - \`name\` is moved to \`ListItem.Checkbox\`
81
- - \`onChange\`: \`(checked: boolean) => void\` → \`(event: ChangeEvent<HTMLInputElement>) => void\`
82
- - Update handler: \`(checked) => setX(checked)\` → \`(event) => setX(event.target.checked)\`
83
-
84
- \`\`\`tsx
85
- <CheckboxOption id="x" name="y" title="Title" content="Text" checked={v} onChange={(c) => set(c)} />
86
-
87
- <ListItem id="x" title="Title" subtitle="Text" control={<ListItem.Checkbox name="y" checked={v} onChange={(e) => set(e.target.checked)} />} />
88
- \`\`\`
89
-
90
- ---
91
-
92
- ## RadioOption → ListItem.Radio
93
-
94
- - \`id\` stays on ListItem
95
- - \`name\`, \`value\`, \`checked\`, \`onChange\` move to Radio
96
-
97
- \`\`\`tsx
98
- <RadioOption id="x" name="y" value="v" title="Title" content="Text" checked={v==='v'} onChange={set} />
99
-
100
- <ListItem id="x" title="Title" subtitle="Text" control={<ListItem.Radio name="y" value="v" checked={v==='v'} onChange={set} />} />
101
- \`\`\`
102
-
103
- ---
104
-
105
- ## SwitchOption → ListItem.Switch
106
-
107
- - \`id\` stays on ListItem
108
- - \`aria-label\` is moved to \`ListItem.Switch\`
109
- - \`onChange\` → \`onClick\` with manual toggle: \`onChange={set}\` → \`onClick={() => set(!v)}\`
110
-
111
- \`\`\`tsx
112
- <SwitchOption id="x" title="Title" content="Text" checked={v} aria-label="Toggle" onChange={set} />
113
-
114
- <ListItem id="x" title="Title" subtitle="Text" control={<ListItem.Switch checked={v} onClick={() => set(!v)} />} />
115
- \`\`\`
116
-
117
- ---
118
-
119
- ## NavigationOption → ListItem.Navigation
120
-
121
- - \`onClick\` or \`href\` move to Navigation
122
-
123
- \`\`\`tsx
124
- <NavigationOption title="Title" content="Text" onClick={fn} />
125
-
126
- <ListItem title="Title" subtitle="Text" control={<ListItem.Navigation onClick={fn} />} />
127
- \`\`\`
128
-
129
- ---
130
-
131
- ## NavigationOptionList → (remove wrapper)
132
-
133
- - Convert \`NavigationOptionList\` wrapper to \`<List></List>\`
134
- - Convert each child \`NavigationOption\` to \`ListItem\` with \`ListItem.Navigation\`
135
-
136
- \`\`\`tsx
137
- <NavigationOptionList>
138
- <NavigationOption title="T1" content="C1" onClick={fn1} />
139
- <NavigationOption title="T2" content="C2" href="/link" />
140
- </NavigationOptionList>
141
-
142
- <>
143
- <ListItem title="T1" subtitle="C1" control={<ListItem.Navigation onClick={fn1} />} />
144
- <ListItem title="T2" subtitle="C2" control={<ListItem.Navigation href="/link" />} />
145
- </>
146
- \`\`\`
147
-
148
- ---
149
-
150
- ## Option → ListItem
151
-
152
- - Wrap \`media\` in \`ListItem.AvatarView\`
153
- - Move \`size\` prop from icon to AvatarView (keeping same value)
154
-
155
- \`\`\`tsx
156
- <Option media={<Icon size={48} />} title="Title" />
157
-
158
- <ListItem title="Title" media={<ListItem.AvatarView size={48}><Icon /></ListItem.AvatarView>} />
159
- \`\`\`
160
-
161
- ---
162
-
163
- ## Summary → ListItem
164
-
165
- ### Basic
166
- - \`icon\` prop → wrap in \`ListItem.AvatarView\` with \`size={32}\` as \`media\`
167
- - ALWAYS use \`size={32}\` on AvatarView (regardless of original icon size)
168
- - ALWAYS remove \`size\` prop from child icon
169
- - Summary-specific: always uses 32, while other components move size value from icon to AvatarView
170
-
171
- ### Status mapping
172
- - \`Status.DONE\` → \`badge={{ status: 'positive' }}\` on AvatarView
173
- - \`Status.PENDING\` → \`badge={{ status: 'pending' }}\` on AvatarView
174
- - \`Status.NOT_DONE\` → no badge
175
-
176
- ### Action
177
- - \`action.text\` → \`action.label\` in \`ListItem.AdditionalInfo\`
178
- - Pass entire action object including \`href\`, \`onClick\`, \`target\`
179
- - Remove \`aria-label\` from action (not supported)
180
-
181
- ### Info with Modal (add state management)
182
- - Add: \`const [open, setOpen] = useState(false)\`
183
- - Create \`ListItem.IconButton\` with \`partiallyInteractive\` and \`onClick\`
184
- - Render \`Modal\` separately with state
185
- - Transfer \`aria-label\` to IconButton
186
-
187
- ### Info with Popover
188
- - \`Popover\` wraps \`ListItem.IconButton\` with \`partiallyInteractive\`
189
- - Transfer \`aria-label\` to IconButton
190
-
191
- \`\`\`tsx
192
- // Basic (icon with or without size prop always becomes size={32} on AvatarView)
193
- <Summary title="T" description="D" icon={<Icon size={24} />} />
194
-
195
- <ListItem title="T" subtitle="D" media={<ListItem.AvatarView size={32}><Icon /></ListItem.AvatarView>} />
196
-
197
- // Status
198
- <Summary title="T" description="D" icon={<Icon />} status={Status.DONE} />
199
-
200
- <ListItem title="T" subtitle="D" media={<ListItem.AvatarView size={32} badge={{status:'positive'}}><Icon /></ListItem.AvatarView>} />
201
-
202
- // Action
203
- <Summary title="T" description="D" icon={<Icon />} action={{text:'Go', href:'/go', target:'_blank'}} />
204
-
205
- <ListItem title="T" subtitle="D" media={<ListItem.AvatarView size={32}><Icon /></ListItem.AvatarView>} additionalInfo={<ListItem.AdditionalInfo action={{label:'Go', href:'/go', target:'_blank'}} />} />
206
-
207
- // Modal (requires state: const [open, setOpen] = useState(false))
208
- <Summary title="T" description="D" icon={<Icon />} info={{title:'Help', content:'Text', presentation:'MODAL', 'aria-label':'Info'}} />
209
-
210
- <>
211
- <ListItem title="T" subtitle="D" media={<ListItem.AvatarView size={32}><Icon /></ListItem.AvatarView>} control={
212
- <ListItem.IconButton partiallyInteractive aria-label="Info" onClick={()=>setOpen(!open)}>
213
- <QuestionMarkCircle />
214
- </ListItem.IconButton>
215
- } />
216
- <Modal open={open} title="Help" body="Text" onClose={()=>setOpen(false)} />
217
- </>
218
-
219
- // Popover
220
- <Summary title="T" description="D" icon={<Icon />} info={{title:'Help', content:'Text', presentation:'POPOVER', 'aria-label':'Info'}} />
221
-
222
- <ListItem title="T" subtitle="D" media={<ListItem.AvatarView size={32}><Icon /></ListItem.AvatarView>} control={
223
- <Popover title="Help" content="Text" onClose={()=>setOpen(false)}>
224
- <ListItem.IconButton partiallyInteractive aria-label="Info">
225
- <QuestionMarkCircle />
226
- </ListItem.IconButton>
227
- </Popover>
228
- } />
229
- \`\`\`
230
-
231
- `;
232
- const SYSTEM_PROMPT = `You are a code migration assistant that helps migrate TypeScript/JSX code from deprecated Wise Design System (WDS) components to the new ListItem component and ListItem subcomponents from '@transferwise/components'.
233
-
234
- Rules:
235
- 1. Only ever modify files via the Edit tool - do not use the Write tool
236
- 2. When identifying what code to migrate within a file, explain how you identified it first.
237
- 3. Migrate components per provided migration rules
238
- 4. Maintain TypeScript type safety and update types to match new API
239
- 5. Map props: handle renamed, deprecated, new required, and changed types
240
- 6. Update imports to new WDS components and types
241
- 7. Preserve code style, formatting, and calculated logic
242
- 8. Handle conditional rendering, spread props, and complex expressions
243
- 9. Note: New components may lack feature parity with legacy versions
244
- 10. Only modify code requiring changes per migration rules, and any impacted surrounding code for context.
245
- 11. Final result response should just be whether the migration was successful overall, or if any errors were encountered
246
- - Do not summarise or explain the changes made
247
- 12. Explain your reasoning and justification before making changes, as you edit each file.
248
- - Keep it concise and succinct, as only bullet points
249
- 13. After modifying the file, do not summarise the changes made.
250
- 14. If you do not have permission to edit a file, still attempt to edit it and then move onto the next file.
251
-
252
- You'll receive:
253
- - File paths to migrate in individual queries
254
- - Deprecated component names at the end of this prompt
255
- - Migration context and rules for each deprecated component
256
-
257
- Deprecated components: ${DEPRECATED_COMPONENT_NAMES.join(", ")}.
258
-
259
- ${MIGRATION_RULES}`;
260
-
261
- //#endregion
262
- //#region src/transforms/list-item/helpers.ts
263
- /** Split the path to get the relative path after the directory, and wrap with ANSI color codes */
264
- function formatPathOutput(directory, path, asDim) {
265
- const relativePath = path ? path.split(directory.replace(".", ""))[1] ?? path : directory;
266
- return asDim ? `\x1b[2m${relativePath}\x1b[0m` : `\x1b[32m${relativePath}\x1b[0m`;
267
- }
268
- /** Generates a formatted string representing the total elapsed time since the given start time */
269
- function generateElapsedTime(startTime) {
270
- const endTime = Date.now();
271
- const elapsedTime = Math.floor((endTime - startTime) / 1e3);
272
- const hours = Math.floor(elapsedTime / 3600);
273
- const minutes = Math.floor(elapsedTime % 3600 / 60);
274
- const seconds = elapsedTime % 60;
275
- return `${hours ? `${hours}h ` : ""}${minutes ? `${minutes}m ` : ""}${seconds ? `${seconds}s` : ""}`;
276
- }
277
- function formatClaudeResponseContent(content) {
278
- return `\x1b[2m${content.replace(/\*\*(.+?)\*\*/gu, "\x1B[1m$1\x1B[0m\x1B[2m").replace(/`(.+?)`/gu, "\x1B[32m$1\x1B[0m\x1B[2m").split("\n").map((line, index) => index === 0 ? line : ` ${line}`).join("\n")}\x1b[0m`;
279
- }
280
- function generateDiff(original, modified) {
281
- const lines = (0, diff.createPatch)("", original, modified, "", "").trim().split("\n").slice(4).filter((line) => !line.startsWith("\"));
282
- let oldLineNumber = 0;
283
- let newLineNumber = 0;
284
- return lines.map((line) => {
285
- const trimmedLine = line.trimEnd();
286
- if (trimmedLine.startsWith("@@")) {
287
- const match = /@@ -(\d+)(?:,\d+)? \+(\d+)(?:,\d+)? @@/u.exec(trimmedLine);
288
- if (match) {
289
- oldLineNumber = Number.parseInt(match[1], 10);
290
- newLineNumber = Number.parseInt(match[2], 10);
291
- }
292
- return `\x1b[36m${trimmedLine}\x1b[0m`;
293
- }
294
- let linePrefix = "";
295
- if (trimmedLine.startsWith("+")) {
296
- linePrefix = `${newLineNumber.toString().padStart(4, " ")} `;
297
- newLineNumber += 1;
298
- return `\x1b[32m${linePrefix}${trimmedLine}\x1b[0m`;
299
- }
300
- if (trimmedLine.startsWith("-")) {
301
- linePrefix = `${oldLineNumber.toString().padStart(4, " ")} `;
302
- oldLineNumber += 1;
303
- return `\x1b[31m${linePrefix}${trimmedLine}\x1b[0m`;
304
- }
305
- linePrefix = `${oldLineNumber.toString().padStart(4, " ")} `;
306
- oldLineNumber += 1;
307
- newLineNumber += 1;
308
- return `${linePrefix}${trimmedLine}`;
309
- }).join("\n");
310
- }
311
-
312
- //#endregion
313
- //#region src/transforms/list-item/claude.ts
314
- const CLAUDE_SETTINGS_FILE = ".claude/settings.json";
315
- async function checkVPN(spinnies$1, baseUrl) {
316
- if (baseUrl) {
317
- spinnies$1.add("vpnCheck", { text: "Checking VPN connection..." });
318
- const checkOnce = async () => new Promise((resolveCheck) => {
319
- const url = new URL("/health", baseUrl);
320
- const req = node_https.default.get(url, {
321
- timeout: 2e3,
322
- rejectUnauthorized: false
323
- }, (res) => {
324
- const ok = !!(res.statusCode && res.statusCode >= 200 && res.statusCode < 400);
325
- res.resume();
326
- resolveCheck(ok);
327
- });
328
- req.on("timeout", () => {
329
- req.destroy(/* @__PURE__ */ new Error("timeout"));
330
- });
331
- req.on("error", () => resolveCheck(false));
332
- });
333
- while (true) {
334
- if (await checkOnce()) {
335
- spinnies$1.succeed("vpnCheck", { text: "Connected to VPN" });
336
- break;
337
- }
338
- spinnies$1.update("vpnCheck", { text: "Please connect to VPN... retrying in 3s" });
339
- await new Promise((response) => {
340
- setTimeout(response, 3e3);
341
- });
342
- }
343
- }
344
- return true;
345
- }
346
- function getQueryOptions(sessionId) {
347
- const claudeSettingsPath = (0, node_path.resolve)(process.env.HOME || "", CLAUDE_SETTINGS_FILE);
348
- const settings = JSON.parse((0, node_fs.readFileSync)(claudeSettingsPath, "utf-8"));
349
- let apiKey;
350
- try {
351
- apiKey = (0, node_child_process.execSync)(`bash ${settings.apiKeyHelper}`, { encoding: "utf-8" }).trim();
352
- } catch {}
353
- if (!apiKey) throw new Error("Failed to retrieve Anthropic API key. Please check your Claude Code x LLM Gateway configuration - https://transferwise.atlassian.net/wiki/x/_YUe3Q");
354
- const { ANTHROPIC_CUSTOM_HEADERS, ...restEnvVars } = settings?.env ?? {};
355
- return {
356
- resume: sessionId,
357
- env: {
358
- ANTHROPIC_AUTH_TOKEN: apiKey,
359
- ANTHROPIC_CUSTOM_HEADERS,
360
- ...restEnvVars,
361
- PATH: process.env.PATH
362
- },
363
- permissionMode: "acceptEdits",
364
- systemPrompt: {
365
- type: "preset",
366
- preset: "claude_code",
367
- append: SYSTEM_PROMPT
368
- },
369
- allowedTools: ["Grep", "Read"],
370
- settingSources: [
371
- "local",
372
- "project",
373
- "user"
374
- ]
375
- };
376
- }
377
- /** Initiate a new Claude session/conversation and return reusable options */
378
- async function initiateClaudeSessionOptions(spinnies$1) {
379
- const options = getQueryOptions(void 0);
380
- await checkVPN(spinnies$1, options.env?.ANTHROPIC_BASE_URL);
381
- spinnies$1.add("claudeSession", { text: "Starting and verifying Claude instance - your browser may open for Okta authentication if required." });
382
- const result = (0, __anthropic_ai_claude_agent_sdk.query)({
383
- options,
384
- prompt: `You'll be given file paths in additional individual queries to search in for files using deprecated Wise Design System (WDS) components. Migrate the code per the provided migration rules.`
385
- });
386
- for await (const message of result) switch (message.type) {
387
- case "system":
388
- if (message.subtype === "init" && !options.resume) {
389
- spinnies$1.succeed("claudeSession", { text: "Successfully initialised Claude instance" });
390
- spinnies$1.add("placeholder", { text: " " });
391
- options.resume = message.session_id;
392
- }
393
- break;
394
- default: if (message.type === "result" && message.subtype !== "success") {
395
- spinnies$1.fail("claudeSession", { text: `Claude encountered an error when initialising: ${message.errors.join("\n")}` });
396
- spinnies$1.stopAll("fail");
397
- }
398
- }
399
- return options;
400
- }
401
- async function queryClaude(directory, filePath, options, codemodOptions, spinnies$1, isDebug = false) {
402
- const startTime = Date.now();
403
- const debugSpinnies = new spinnies.default();
404
- const result = (0, __anthropic_ai_claude_agent_sdk.query)({
405
- options,
406
- prompt: filePath
407
- });
408
- for await (const message of result) switch (message.type) {
409
- case "assistant":
410
- for (const msg of message.message.content) switch (msg.type) {
411
- case "tool_use":
412
- if (msg.name === "Read") {
413
- spinnies$1.remove("placeholder");
414
- spinnies$1.update(`file-${filePath}`, { text: `${formatPathOutput(directory, filePath, true)} - Reading...` });
415
- } else if (msg.name === "Edit") spinnies$1.update(`file-${filePath}`, { text: `${formatPathOutput(directory, filePath, true)} - Migrating...` });
416
- break;
417
- case "text":
418
- if (isDebug) logStaticMessage(debugSpinnies, `${require_constants.CONSOLE_ICONS.claude} ${formatClaudeResponseContent(msg.text)}`);
419
- break;
420
- default:
421
- }
422
- break;
423
- case "result":
424
- if (message.subtype === "success") spinnies$1.succeed(`file-${filePath}`, { text: `${formatPathOutput(directory, filePath, true)} - Migrated in: ${generateElapsedTime(startTime)}` });
425
- else {
426
- logStaticMessage(debugSpinnies, `${require_constants.CONSOLE_ICONS.error} Claude encountered an error:`);
427
- console.log(message);
428
- spinnies$1.stopAll("fail");
429
- debugSpinnies.stopAll("fail");
430
- }
431
- break;
432
- default:
433
- }
434
- }
435
-
436
- //#endregion
437
- //#region src/transforms/list-item/transformer.ts
438
- const transformer = async (targetPaths, codemodOptions, isDebug = false) => {
439
- const startTime = Date.now();
440
- const spinnies$1 = new spinnies.default();
441
- const queryOptions = await initiateClaudeSessionOptions(spinnies$1);
442
- spinnies$1.remove("placeholder");
443
- spinnies$1.add("analysing", { text: "Analysing targetted paths - this may take a while..." });
444
- for (const directory of targetPaths) {
445
- spinnies$1.add(`directory-${directory}`, {
446
- indent: 2,
447
- text: `${formatPathOutput(directory)} - Processing directory`
448
- });
449
- const allTsxFiles = (0, node_child_process.execSync)(`find "${directory}" -name "*.tsx" -type f`, { encoding: "utf-8" }).trim().split("\n").filter(Boolean);
450
- const grepPattern = /* @__PURE__ */ new RegExp(`import\\s*\\{[\\s\\S]*?(${DEPRECATED_COMPONENT_NAMES.join("|")})[\\s\\S]*?\\}\\s*from\\s*['"]@transferwise/components['"]`);
451
- const matchingFilePaths = allTsxFiles.filter((filePath) => {
452
- try {
453
- const content = (0, node_fs.readFileSync)(filePath, "utf-8");
454
- return grepPattern.test(content);
455
- } catch {
456
- return false;
457
- }
458
- });
459
- spinnies$1.update(`directory-${directory}`, { text: `${formatPathOutput(directory)} - Found \x1b[32m${matchingFilePaths.length}\x1b[0m \x1b[2m*.tsx\x1b[0m file(s) needing migration` });
460
- for (const filePath of matchingFilePaths) {
461
- spinnies$1.add(`file-${filePath}`, {
462
- indent: 4,
463
- text: `${formatPathOutput(directory, filePath, true)} - Parsing...`
464
- });
465
- const originalFileContent = (0, node_fs.readFileSync)(filePath, "utf-8");
466
- spinnies$1.update(`file-${filePath}`, {
467
- indent: 4,
468
- text: `${formatPathOutput(directory, filePath, true)} - Processing...`
469
- });
470
- await queryClaude(directory, filePath, queryOptions, codemodOptions, spinnies$1, isDebug);
471
- const newFileContent = (0, node_fs.readFileSync)(filePath, "utf-8");
472
- if (codemodOptions.isPrint) {
473
- logStaticMessage(spinnies$1, `Diff for ${formatPathOutput(directory, filePath, true)}:`);
474
- logStaticMessage(spinnies$1, generateDiff(originalFileContent, newFileContent));
475
- }
476
- spinnies$1.remove("placeholder");
477
- }
478
- if (matchingFilePaths.length === 0) spinnies$1.succeed(`directory-${directory}`, { text: `${formatPathOutput(directory)} - No files need migration` });
479
- else spinnies$1.succeed(`directory-${directory}`, {
480
- indent: 2,
481
- text: `${formatPathOutput(directory)} - Migrated \x1b[32m${matchingFilePaths.length}\x1b[0m file(s) successfully`
482
- });
483
- }
484
- spinnies$1.succeed("analysing", { text: "Successfully analysed all targetted paths" });
485
- spinnies$1.stopAll("succeed");
486
- spinnies$1.add("done", {
487
- text: `Finished migrating - elapsed time: \x1b[1m${generateElapsedTime(startTime)}\x1b[0m`,
488
- status: "succeed"
489
- });
490
- };
491
- var transformer_default = transformer;
492
-
493
- //#endregion
494
- Object.defineProperty(exports, 'transformer_default', {
495
- enumerable: true,
496
- get: function () {
497
- return transformer_default;
498
- }
499
- });
500
- //# sourceMappingURL=transformer-SaG5yPbG.js.map
@@ -1 +0,0 @@
1
- {"version":3,"file":"transformer-SaG5yPbG.js","names":["https","spinnies","Spinnies","CONSOLE_ICONS","spinnies","Spinnies"],"sources":["../src/helpers/spinnerLogs.ts","../src/transforms/list-item/constants.ts","../src/transforms/list-item/helpers.ts","../src/transforms/list-item/claude.ts","../src/transforms/list-item/transformer.ts"],"sourcesContent":["import type Spinnies from 'spinnies';\n\ninterface LogConsoleSpinnerSettings {\n spinnies: Spinnies;\n spinnerId: string;\n options: Partial<Spinnies.SpinnerOptions>;\n}\n\nexport function logToConsole({ spinnies, spinnerId, options }: LogConsoleSpinnerSettings): void {\n spinnies.add(spinnerId, options);\n}\n\nexport function logStaticMessage(spinnies: Spinnies, message: string): void {\n // Create a unique spinner ID for the static message using timestamp, first part of the message and a random number\n const uuid = `static-message-${Date.now()}-${message.slice(0, 10).replace(/\\s+/gu, '-')}-${Math.floor(Math.random() * 10000)}`;\n logToConsole({ spinnies, spinnerId: uuid, options: { text: message, status: 'non-spinnable' } });\n}\n","export const DEPRECATED_COMPONENT_NAMES = [\n 'ActionOption',\n 'NavigationOption',\n 'NavigationOptionList',\n 'Summary',\n 'SwitchOption',\n 'CheckboxOption',\n 'RadioOption',\n];\n\nconst MIGRATION_RULES = `Migration rules:\n# Legacy Component → ListItem Migration Guide\n\n## Import Management\n1. Remove imports: \\`{ ActionOption, NavigationOption, NavigationOptionList, Summary, SwitchOption, CheckboxOption, RadioOption }\\` from \\`'@transferwise/components'\\`\n2. Add import: \\`{ ListItem }\\` from \\`'@transferwise/components'\\`\n3. For Summary with info: Add \\`{ Modal }\\` and/or \\`{ Popover }\\` from \\`'@transferwise/components'\\`\n4. For Summary with info: Add \\`{ QuestionMarkCircle }\\` from \\`'@transferwise/icons'\\`\n5. For Summary with info modal: Add \\`{ useState }\\` from \\`'react'\\`\n\n## Universal Rules\n1. \\`title\\` → \\`title\\` (direct)\n2. \\`content\\` or \\`description\\` → \\`subtitle\\`\n3. \\`disabled\\` stays on \\`ListItem\\` (not controls)\n4. \\`id\\` stays on \\`ListItem\\` (not controls)\n5. Remove deprecated props: \\`as\\`, \\`complex\\`, \\`showMediaAtAllSizes\\`, \\`showMediaCircle\\`, \\`isContainerAligned\\`\n6. Preserve string quotes exactly as they are (don't convert \\`\\` to \\`'\\` or \\`\"\\`)\n7. When wrapping icons in \\`ListItem.AvatarView\\`: move \\`size\\` from icon to AvatarView (except Summary always uses 32)\n\n---\n\n## ActionOption → ListItem.Button\n\n- \\`action\\` → Button children\n- \\`onClick\\` → Button \\`onClick\\`\n- Priority mapping:\n - default or \\`\"primary\"\\` → \\`\"primary\"\\`\n - \\`\"secondary\"\\` → \\`\"secondary-neutral\"\\`\n - \\`\"secondary-send\"\\` → \\`\"secondary\"\\`\n - \\`\"tertiary\"\\` → \\`\"tertiary\"\\`\n\n\\`\\`\\`tsx\n<ActionOption title=\"Title\" content=\"Text\" action=\"Click\" priority=\"secondary\" onClick={fn} />\n→\n<ListItem title=\"Title\" subtitle=\"Text\" control={<ListItem.Button priority=\"secondary-neutral\" onClick={fn}>Click</ListItem.Button>} />\n\\`\\`\\`\n\n---\n\n## CheckboxOption → ListItem.Checkbox\n\n- \\`id\\` stays on ListItem\n- \\`name\\` is moved to \\`ListItem.Checkbox\\`\n- \\`onChange\\`: \\`(checked: boolean) => void\\` → \\`(event: ChangeEvent<HTMLInputElement>) => void\\`\n - Update handler: \\`(checked) => setX(checked)\\` → \\`(event) => setX(event.target.checked)\\`\n\n\\`\\`\\`tsx\n<CheckboxOption id=\"x\" name=\"y\" title=\"Title\" content=\"Text\" checked={v} onChange={(c) => set(c)} />\n→\n<ListItem id=\"x\" title=\"Title\" subtitle=\"Text\" control={<ListItem.Checkbox name=\"y\" checked={v} onChange={(e) => set(e.target.checked)} />} />\n\\`\\`\\`\n\n---\n\n## RadioOption → ListItem.Radio\n\n- \\`id\\` stays on ListItem\n- \\`name\\`, \\`value\\`, \\`checked\\`, \\`onChange\\` move to Radio\n\n\\`\\`\\`tsx\n<RadioOption id=\"x\" name=\"y\" value=\"v\" title=\"Title\" content=\"Text\" checked={v==='v'} onChange={set} />\n→\n<ListItem id=\"x\" title=\"Title\" subtitle=\"Text\" control={<ListItem.Radio name=\"y\" value=\"v\" checked={v==='v'} onChange={set} />} />\n\\`\\`\\`\n\n---\n\n## SwitchOption → ListItem.Switch\n\n- \\`id\\` stays on ListItem\n- \\`aria-label\\` is moved to \\`ListItem.Switch\\`\n- \\`onChange\\` → \\`onClick\\` with manual toggle: \\`onChange={set}\\` → \\`onClick={() => set(!v)}\\`\n\n\\`\\`\\`tsx\n<SwitchOption id=\"x\" title=\"Title\" content=\"Text\" checked={v} aria-label=\"Toggle\" onChange={set} />\n→\n<ListItem id=\"x\" title=\"Title\" subtitle=\"Text\" control={<ListItem.Switch checked={v} onClick={() => set(!v)} />} />\n\\`\\`\\`\n\n---\n\n## NavigationOption → ListItem.Navigation\n\n- \\`onClick\\` or \\`href\\` move to Navigation\n\n\\`\\`\\`tsx\n<NavigationOption title=\"Title\" content=\"Text\" onClick={fn} />\n→\n<ListItem title=\"Title\" subtitle=\"Text\" control={<ListItem.Navigation onClick={fn} />} />\n\\`\\`\\`\n\n---\n\n## NavigationOptionList → (remove wrapper)\n\n- Convert \\`NavigationOptionList\\` wrapper to \\`<List></List>\\`\n- Convert each child \\`NavigationOption\\` to \\`ListItem\\` with \\`ListItem.Navigation\\`\n\n\\`\\`\\`tsx\n<NavigationOptionList>\n <NavigationOption title=\"T1\" content=\"C1\" onClick={fn1} />\n <NavigationOption title=\"T2\" content=\"C2\" href=\"/link\" />\n</NavigationOptionList>\n→\n<>\n <ListItem title=\"T1\" subtitle=\"C1\" control={<ListItem.Navigation onClick={fn1} />} />\n <ListItem title=\"T2\" subtitle=\"C2\" control={<ListItem.Navigation href=\"/link\" />} />\n</>\n\\`\\`\\`\n\n---\n\n## Option → ListItem\n\n- Wrap \\`media\\` in \\`ListItem.AvatarView\\`\n- Move \\`size\\` prop from icon to AvatarView (keeping same value)\n\n\\`\\`\\`tsx\n<Option media={<Icon size={48} />} title=\"Title\" />\n→\n<ListItem title=\"Title\" media={<ListItem.AvatarView size={48}><Icon /></ListItem.AvatarView>} />\n\\`\\`\\`\n\n---\n\n## Summary → ListItem\n\n### Basic\n- \\`icon\\` prop → wrap in \\`ListItem.AvatarView\\` with \\`size={32}\\` as \\`media\\`\n- ALWAYS use \\`size={32}\\` on AvatarView (regardless of original icon size)\n- ALWAYS remove \\`size\\` prop from child icon\n- Summary-specific: always uses 32, while other components move size value from icon to AvatarView\n\n### Status mapping\n- \\`Status.DONE\\` → \\`badge={{ status: 'positive' }}\\` on AvatarView\n- \\`Status.PENDING\\` → \\`badge={{ status: 'pending' }}\\` on AvatarView\n- \\`Status.NOT_DONE\\` → no badge\n\n### Action\n- \\`action.text\\` → \\`action.label\\` in \\`ListItem.AdditionalInfo\\`\n- Pass entire action object including \\`href\\`, \\`onClick\\`, \\`target\\`\n- Remove \\`aria-label\\` from action (not supported)\n\n### Info with Modal (add state management)\n- Add: \\`const [open, setOpen] = useState(false)\\`\n- Create \\`ListItem.IconButton\\` with \\`partiallyInteractive\\` and \\`onClick\\`\n- Render \\`Modal\\` separately with state\n- Transfer \\`aria-label\\` to IconButton\n\n### Info with Popover\n- \\`Popover\\` wraps \\`ListItem.IconButton\\` with \\`partiallyInteractive\\`\n- Transfer \\`aria-label\\` to IconButton\n\n\\`\\`\\`tsx\n// Basic (icon with or without size prop always becomes size={32} on AvatarView)\n<Summary title=\"T\" description=\"D\" icon={<Icon size={24} />} />\n→\n<ListItem title=\"T\" subtitle=\"D\" media={<ListItem.AvatarView size={32}><Icon /></ListItem.AvatarView>} />\n\n// Status\n<Summary title=\"T\" description=\"D\" icon={<Icon />} status={Status.DONE} />\n→\n<ListItem title=\"T\" subtitle=\"D\" media={<ListItem.AvatarView size={32} badge={{status:'positive'}}><Icon /></ListItem.AvatarView>} />\n\n// Action\n<Summary title=\"T\" description=\"D\" icon={<Icon />} action={{text:'Go', href:'/go', target:'_blank'}} />\n→\n<ListItem title=\"T\" subtitle=\"D\" media={<ListItem.AvatarView size={32}><Icon /></ListItem.AvatarView>} additionalInfo={<ListItem.AdditionalInfo action={{label:'Go', href:'/go', target:'_blank'}} />} />\n\n// Modal (requires state: const [open, setOpen] = useState(false))\n<Summary title=\"T\" description=\"D\" icon={<Icon />} info={{title:'Help', content:'Text', presentation:'MODAL', 'aria-label':'Info'}} />\n→\n<>\n <ListItem title=\"T\" subtitle=\"D\" media={<ListItem.AvatarView size={32}><Icon /></ListItem.AvatarView>} control={\n <ListItem.IconButton partiallyInteractive aria-label=\"Info\" onClick={()=>setOpen(!open)}>\n <QuestionMarkCircle />\n </ListItem.IconButton>\n } />\n <Modal open={open} title=\"Help\" body=\"Text\" onClose={()=>setOpen(false)} />\n</>\n\n// Popover\n<Summary title=\"T\" description=\"D\" icon={<Icon />} info={{title:'Help', content:'Text', presentation:'POPOVER', 'aria-label':'Info'}} />\n→\n<ListItem title=\"T\" subtitle=\"D\" media={<ListItem.AvatarView size={32}><Icon /></ListItem.AvatarView>} control={\n <Popover title=\"Help\" content=\"Text\" onClose={()=>setOpen(false)}>\n <ListItem.IconButton partiallyInteractive aria-label=\"Info\">\n <QuestionMarkCircle />\n </ListItem.IconButton>\n </Popover>\n} />\n\\`\\`\\`\n\n`;\n\nexport const SYSTEM_PROMPT = `You are a code migration assistant that helps migrate TypeScript/JSX code from deprecated Wise Design System (WDS) components to the new ListItem component and ListItem subcomponents from '@transferwise/components'.\n\nRules:\n1. Only ever modify files via the Edit tool - do not use the Write tool\n2. When identifying what code to migrate within a file, explain how you identified it first.\n3. Migrate components per provided migration rules\n4. Maintain TypeScript type safety and update types to match new API\n5. Map props: handle renamed, deprecated, new required, and changed types\n6. Update imports to new WDS components and types\n7. Preserve code style, formatting, and calculated logic\n8. Handle conditional rendering, spread props, and complex expressions\n9. Note: New components may lack feature parity with legacy versions\n10. Only modify code requiring changes per migration rules, and any impacted surrounding code for context.\n11. Final result response should just be whether the migration was successful overall, or if any errors were encountered\n - Do not summarise or explain the changes made\n12. Explain your reasoning and justification before making changes, as you edit each file.\n - Keep it concise and succinct, as only bullet points\n13. After modifying the file, do not summarise the changes made.\n14. If you do not have permission to edit a file, still attempt to edit it and then move onto the next file.\n\nYou'll receive:\n- File paths to migrate in individual queries\n- Deprecated component names at the end of this prompt\n- Migration context and rules for each deprecated component\n\nDeprecated components: ${DEPRECATED_COMPONENT_NAMES.join(', ')}.\n\n${MIGRATION_RULES}`;\n","import { createPatch } from 'diff';\n\n/** Split the path to get the relative path after the directory, and wrap with ANSI color codes */\nexport function formatPathOutput(directory: string, path?: string, asDim?: boolean): string {\n const relativePath = path ? (path.split(directory.replace('.', ''))[1] ?? path) : directory;\n return asDim ? `\\x1b[2m${relativePath}\\x1b[0m` : `\\x1b[32m${relativePath}\\x1b[0m`;\n}\n\n/** Generates a formatted string representing the total elapsed time since the given start time */\nexport function generateElapsedTime(startTime: number): string {\n const endTime = Date.now();\n const elapsedTime = Math.floor((endTime - startTime) / 1000);\n const hours = Math.floor(elapsedTime / 3600);\n const minutes = Math.floor((elapsedTime % 3600) / 60);\n const seconds = elapsedTime % 60;\n\n return `${hours ? `${hours}h ` : ''}${minutes ? `${minutes}m ` : ''}${seconds ? `${seconds}s` : ''}`;\n}\n\n// Formats Claude response with ANSI codes (bold for **, green for `), indenting all lines except the first. Also wraps entire content in dim color\nexport function formatClaudeResponseContent(content: string): string {\n const formatted = content\n .replace(/\\*\\*(.+?)\\*\\*/gu, '\\x1b[1m$1\\x1b[0m\\x1b[2m')\n .replace(/`(.+?)`/gu, '\\x1b[32m$1\\x1b[0m\\x1b[2m')\n .split('\\n')\n .map((line, index) => (index === 0 ? line : ` ${line}`))\n .join('\\n');\n\n return `\\x1b[2m${formatted}\\x1b[0m`;\n}\n\n// Generates a unified diff between the original and modified strings, with ANSI color codes for additions and deletions and line numbers\nexport function generateDiff(original: string, modified: string): string {\n const diffResult = createPatch('', original, modified, '', '').trim();\n\n // Parse and colorize the diff output\n const lines = diffResult\n .split('\\n')\n .slice(4) // Skip the header lines\n .filter((line) => !line.startsWith('\\\')); // Remove \"No newline\" messages\n\n // Track current line numbers from hunk headers\n let oldLineNumber = 0;\n let newLineNumber = 0;\n\n const colouredDiff = lines\n .map((line: string) => {\n const trimmedLine = line.trimEnd();\n\n // Parse hunk header to get starting line numbers - format: @@ -oldStart,oldCount +newStart,newCount @@\n if (trimmedLine.startsWith('@@')) {\n const match = /@@ -(\\d+)(?:,\\d+)? \\+(\\d+)(?:,\\d+)? @@/u.exec(trimmedLine);\n if (match) {\n oldLineNumber = Number.parseInt(match[1], 10);\n newLineNumber = Number.parseInt(match[2], 10);\n }\n return `\\x1b[36m${trimmedLine}\\x1b[0m`; // Cyan for hunk headers\n }\n\n let linePrefix = '';\n // Green styling for additions\n if (trimmedLine.startsWith('+')) {\n linePrefix = `${newLineNumber.toString().padStart(4, ' ')} `;\n newLineNumber += 1;\n return `\\x1b[32m${linePrefix}${trimmedLine}\\x1b[0m`;\n }\n\n // Red styling for deletions\n if (trimmedLine.startsWith('-')) {\n linePrefix = `${oldLineNumber.toString().padStart(4, ' ')} `;\n oldLineNumber += 1;\n return `\\x1b[31m${linePrefix}${trimmedLine}\\x1b[0m`;\n }\n\n // Handle unchanged lines\n linePrefix = `${oldLineNumber.toString().padStart(4, ' ')} `;\n oldLineNumber += 1;\n newLineNumber += 1;\n return `${linePrefix}${trimmedLine}`;\n })\n .join('\\n');\n\n return colouredDiff;\n}\n","import https from 'node:https';\n\nimport { type Options, query } from '@anthropic-ai/claude-agent-sdk';\nimport { execSync } from 'child_process';\nimport { readFileSync } from 'fs';\nimport { resolve } from 'path';\nimport Spinnies from 'spinnies';\n\nimport { CONSOLE_ICONS } from '../../constants';\nimport type { CodemodOptions } from '../../controller/types';\nimport { logStaticMessage } from '../../helpers/spinnerLogs';\nimport { SYSTEM_PROMPT } from './constants';\nimport { formatClaudeResponseContent, formatPathOutput, generateElapsedTime } from './helpers';\nimport type { ClaudeSettings } from './types';\n\nconst CLAUDE_SETTINGS_FILE = '.claude/settings.json';\n\nasync function checkVPN(spinnies: Spinnies, baseUrl?: string): Promise<boolean> {\n if (baseUrl) {\n spinnies.add('vpnCheck', { text: 'Checking VPN connection...' });\n const checkOnce = async (): Promise<boolean> =>\n new Promise<boolean>((resolveCheck) => {\n const url = new URL('/health', baseUrl);\n const req = https.get(url, { timeout: 2000, rejectUnauthorized: false }, (res) => {\n const ok = !!(res.statusCode && res.statusCode >= 200 && res.statusCode < 400);\n res.resume();\n resolveCheck(ok);\n });\n req.on('timeout', () => {\n req.destroy(new Error('timeout'));\n });\n req.on('error', () => resolveCheck(false));\n });\n\n while (true) {\n const ok = await checkOnce();\n if (ok) {\n spinnies.succeed('vpnCheck', { text: 'Connected to VPN' });\n break;\n }\n\n // TODO: Could update this to count down from 3s and fail after a certain number of attempts\n spinnies.update('vpnCheck', { text: 'Please connect to VPN... retrying in 3s' });\n await new Promise<void>((response) => {\n setTimeout(response, 3000);\n });\n }\n }\n return true;\n}\n\nexport function getQueryOptions(sessionId?: string): Options {\n // Read settings from ~/.claude/settings.json to get headers and apiKeyHelper\n const claudeSettingsPath = resolve(process.env.HOME || '', CLAUDE_SETTINGS_FILE);\n const settings = JSON.parse(readFileSync(claudeSettingsPath, 'utf-8')) as ClaudeSettings;\n\n // Get API key by executing the apiKeyHelper script, for authenticating with Okta via LLM Gateway\n let apiKey;\n try {\n apiKey = execSync(`bash ${settings.apiKeyHelper}`, {\n encoding: 'utf-8',\n }).trim();\n } catch {}\n\n if (!apiKey) {\n throw new Error(\n 'Failed to retrieve Anthropic API key. Please check your Claude Code x LLM Gateway configuration - https://transferwise.atlassian.net/wiki/x/_YUe3Q',\n );\n }\n\n const { ANTHROPIC_CUSTOM_HEADERS, ...restEnvVars } = settings?.env ?? {};\n\n const envVars = {\n ANTHROPIC_AUTH_TOKEN: apiKey,\n ANTHROPIC_CUSTOM_HEADERS,\n ...restEnvVars,\n PATH: process.env.PATH, // Specifying PATH, as Claude Agent SDK seems to struggle consuming the actual environment PATH\n };\n\n return {\n resume: sessionId,\n env: envVars,\n permissionMode: 'acceptEdits',\n systemPrompt: {\n type: 'preset',\n preset: 'claude_code',\n append: SYSTEM_PROMPT,\n },\n allowedTools: ['Grep', 'Read'],\n settingSources: ['local', 'project', 'user'],\n };\n}\n\n/** Initiate a new Claude session/conversation and return reusable options */\nexport async function initiateClaudeSessionOptions(spinnies: Spinnies): Promise<Options> {\n const options = getQueryOptions(undefined);\n await checkVPN(spinnies, options.env?.ANTHROPIC_BASE_URL);\n\n spinnies.add('claudeSession', {\n text: 'Starting and verifying Claude instance - your browser may open for Okta authentication if required.',\n });\n\n const result = query({\n options,\n prompt: `You'll be given file paths in additional individual queries to search in for files using deprecated Wise Design System (WDS) components. Migrate the code per the provided migration rules.`,\n });\n\n for await (const message of result) {\n switch (message.type) {\n case 'system':\n if (message.subtype === 'init' && !options.resume) {\n spinnies.succeed('claudeSession', { text: 'Successfully initialised Claude instance' });\n spinnies.add('placeholder', { text: ' ' });\n\n // Set the session ID to resume the conversation in future queries\n options.resume = message.session_id;\n }\n break;\n default:\n if (message.type === 'result' && message.subtype !== 'success') {\n spinnies.fail('claudeSession', {\n text: `Claude encountered an error when initialising: ${message.errors.join('\\n')}`,\n });\n spinnies.stopAll('fail');\n }\n }\n }\n\n return options;\n}\n\n// Queries Claude with the given path and handles logging of tool uses and results\nexport async function queryClaude(\n directory: string,\n filePath: string,\n options: Options,\n codemodOptions: CodemodOptions,\n spinnies: Spinnies,\n isDebug = false,\n) {\n const startTime = Date.now();\n const debugSpinnies = new Spinnies();\n const result = query({\n options,\n prompt: filePath,\n });\n\n for await (const message of result) {\n switch (message.type) {\n case 'assistant':\n for (const msg of message.message.content) {\n switch (msg.type) {\n // Handles logging of tool uses to determine key stages of the migration\n case 'tool_use':\n if (msg.name === 'Read') {\n spinnies.remove('placeholder');\n spinnies.update(`file-${filePath}`, {\n text: `${formatPathOutput(directory, filePath, true)} - Reading...`,\n });\n } else if (msg.name === 'Edit') {\n spinnies.update(`file-${filePath}`, {\n text: `${formatPathOutput(directory, filePath, true)} - Migrating...`,\n });\n }\n\n break;\n case 'text':\n if (isDebug) {\n logStaticMessage(\n debugSpinnies,\n `${CONSOLE_ICONS.claude} ${formatClaudeResponseContent(msg.text)}`,\n );\n }\n break;\n default:\n }\n }\n break;\n case 'result':\n if (message.subtype === 'success') {\n spinnies.succeed(`file-${filePath}`, {\n text: `${formatPathOutput(directory, filePath, true)} - Migrated in: ${generateElapsedTime(startTime)}`,\n });\n } else {\n // Silence non-error errors (false positives)\n logStaticMessage(debugSpinnies, `${CONSOLE_ICONS.error} Claude encountered an error:`);\n console.log(message);\n spinnies.stopAll('fail');\n debugSpinnies.stopAll('fail');\n }\n break;\n default:\n }\n }\n}\n","import { execSync } from 'child_process';\nimport { readFileSync } from 'fs';\nimport Spinnies from 'spinnies';\n\nimport type { CodemodOptions } from '../../controller/types';\nimport { logStaticMessage } from '../../helpers/spinnerLogs';\nimport { initiateClaudeSessionOptions, queryClaude } from './claude';\nimport { DEPRECATED_COMPONENT_NAMES } from './constants';\nimport { formatPathOutput, generateDiff, generateElapsedTime } from './helpers';\n\nconst transformer = async (\n targetPaths: string[],\n codemodOptions: CodemodOptions,\n isDebug = false,\n) => {\n const startTime = Date.now();\n const spinnies = new Spinnies();\n const queryOptions = await initiateClaudeSessionOptions(spinnies);\n\n spinnies.remove('placeholder');\n spinnies.add('analysing', {\n text: 'Analysing targetted paths - this may take a while...',\n });\n\n for (const directory of targetPaths) {\n spinnies.add(`directory-${directory}`, {\n indent: 2,\n text: `${formatPathOutput(directory)} - Processing directory`,\n });\n\n // First, find all .tsx files in the directory\n const allTsxFiles = execSync(`find \"${directory}\" -name \"*.tsx\" -type f`, {\n encoding: 'utf-8',\n })\n .trim()\n .split('\\n')\n .filter(Boolean);\n\n const grepPattern = new RegExp(\n `import\\\\s*\\\\{[\\\\s\\\\S]*?(${DEPRECATED_COMPONENT_NAMES.join('|')})[\\\\s\\\\S]*?\\\\}\\\\s*from\\\\s*['\"]@transferwise/components['\"]`,\n );\n\n // Filter files that match the pattern by reading and testing each file\n const matchingFilePaths = allTsxFiles.filter((filePath) => {\n try {\n const content = readFileSync(filePath, 'utf-8');\n return grepPattern.test(content);\n } catch {\n return false;\n }\n });\n\n spinnies.update(`directory-${directory}`, {\n text: `${formatPathOutput(directory)} - Found \\x1b[32m${matchingFilePaths.length}\\x1b[0m \\x1b[2m*.tsx\\x1b[0m file(s) needing migration`,\n });\n\n // Get file path and file content for each matching file, and query Claude for migration\n for (const filePath of matchingFilePaths) {\n spinnies.add(`file-${filePath}`, {\n indent: 4,\n text: `${formatPathOutput(directory, filePath, true)} - Parsing...`,\n });\n\n const originalFileContent = readFileSync(filePath, 'utf-8');\n\n spinnies.update(`file-${filePath}`, {\n indent: 4,\n text: `${formatPathOutput(directory, filePath, true)} - Processing...`,\n });\n\n await queryClaude(directory, filePath, queryOptions, codemodOptions, spinnies, isDebug);\n\n const newFileContent = readFileSync(filePath, 'utf-8');\n\n // Create diff from originalFileContent to newFileContent\n if (codemodOptions.isPrint) {\n logStaticMessage(spinnies, `Diff for ${formatPathOutput(directory, filePath, true)}:`);\n logStaticMessage(spinnies, generateDiff(originalFileContent, newFileContent));\n }\n\n spinnies.remove('placeholder');\n }\n\n if (matchingFilePaths.length === 0) {\n spinnies.succeed(`directory-${directory}`, {\n text: `${formatPathOutput(directory)} - No files need migration`,\n });\n } else {\n spinnies.succeed(`directory-${directory}`, {\n indent: 2,\n text: `${formatPathOutput(directory)} - Migrated \\x1b[32m${matchingFilePaths.length}\\x1b[0m file(s) successfully`,\n });\n }\n }\n\n spinnies.succeed('analysing', {\n text: 'Successfully analysed all targetted paths',\n });\n spinnies.stopAll('succeed');\n spinnies.add('done', {\n text: `Finished migrating - elapsed time: \\x1b[1m${generateElapsedTime(startTime)}\\x1b[0m`,\n status: 'succeed',\n });\n};\n\nexport default transformer;\n"],"mappings":";;;;;;;;;;;;AAQA,SAAgB,aAAa,EAAE,sBAAU,WAAW,WAA4C;AAC9F,YAAS,IAAI,WAAW,QAAQ;;AAGlC,SAAgB,iBAAiB,YAAoB,SAAuB;AAG1E,cAAa;EAAE;EAAU,WADZ,kBAAkB,KAAK,KAAK,CAAC,GAAG,QAAQ,MAAM,GAAG,GAAG,CAAC,QAAQ,SAAS,IAAI,CAAC,GAAG,KAAK,MAAM,KAAK,QAAQ,GAAG,IAAM;EAClF,SAAS;GAAE,MAAM;GAAS,QAAQ;GAAiB;EAAE,CAAC;;;;;ACflG,MAAa,6BAA6B;CACxC;CACA;CACA;CACA;CACA;CACA;CACA;CACD;AAED,MAAM,kBAAkB;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAmMxB,MAAa,gBAAgB;;;;;;;;;;;;;;;;;;;;;;;;;yBAyBJ,2BAA2B,KAAK,KAAK,CAAC;;EAE7D;;;;;ACrOF,SAAgB,iBAAiB,WAAmB,MAAe,OAAyB;CAC1F,MAAM,eAAe,OAAQ,KAAK,MAAM,UAAU,QAAQ,KAAK,GAAG,CAAC,CAAC,MAAM,OAAQ;AAClF,QAAO,QAAQ,UAAU,aAAa,WAAW,WAAW,aAAa;;;AAI3E,SAAgB,oBAAoB,WAA2B;CAC7D,MAAM,UAAU,KAAK,KAAK;CAC1B,MAAM,cAAc,KAAK,OAAO,UAAU,aAAa,IAAK;CAC5D,MAAM,QAAQ,KAAK,MAAM,cAAc,KAAK;CAC5C,MAAM,UAAU,KAAK,MAAO,cAAc,OAAQ,GAAG;CACrD,MAAM,UAAU,cAAc;AAE9B,QAAO,GAAG,QAAQ,GAAG,MAAM,MAAM,KAAK,UAAU,GAAG,QAAQ,MAAM,KAAK,UAAU,GAAG,QAAQ,KAAK;;AAIlG,SAAgB,4BAA4B,SAAyB;AAQnE,QAAO,UAPW,QACf,QAAQ,mBAAmB,0BAA0B,CACrD,QAAQ,aAAa,2BAA2B,CAChD,MAAM,KAAK,CACX,KAAK,MAAM,UAAW,UAAU,IAAI,OAAO,KAAK,OAAQ,CACxD,KAAK,KAAK,CAEc;;AAI7B,SAAgB,aAAa,UAAkB,UAA0B;CAIvE,MAAM,8BAHyB,IAAI,UAAU,UAAU,IAAI,GAAG,CAAC,MAAM,CAIlE,MAAM,KAAK,CACX,MAAM,EAAE,CACR,QAAQ,SAAS,CAAC,KAAK,WAAW,+BAA+B,CAAC;CAGrE,IAAI,gBAAgB;CACpB,IAAI,gBAAgB;AAuCpB,QArCqB,MAClB,KAAK,SAAiB;EACrB,MAAM,cAAc,KAAK,SAAS;AAGlC,MAAI,YAAY,WAAW,KAAK,EAAE;GAChC,MAAM,QAAQ,0CAA0C,KAAK,YAAY;AACzE,OAAI,OAAO;AACT,oBAAgB,OAAO,SAAS,MAAM,IAAI,GAAG;AAC7C,oBAAgB,OAAO,SAAS,MAAM,IAAI,GAAG;;AAE/C,UAAO,WAAW,YAAY;;EAGhC,IAAI,aAAa;AAEjB,MAAI,YAAY,WAAW,IAAI,EAAE;AAC/B,gBAAa,GAAG,cAAc,UAAU,CAAC,SAAS,GAAG,IAAI,CAAC;AAC1D,oBAAiB;AACjB,UAAO,WAAW,aAAa,YAAY;;AAI7C,MAAI,YAAY,WAAW,IAAI,EAAE;AAC/B,gBAAa,GAAG,cAAc,UAAU,CAAC,SAAS,GAAG,IAAI,CAAC;AAC1D,oBAAiB;AACjB,UAAO,WAAW,aAAa,YAAY;;AAI7C,eAAa,GAAG,cAAc,UAAU,CAAC,SAAS,GAAG,IAAI,CAAC;AAC1D,mBAAiB;AACjB,mBAAiB;AACjB,SAAO,GAAG,aAAa;GACvB,CACD,KAAK,KAAK;;;;;ACjEf,MAAM,uBAAuB;AAE7B,eAAe,SAAS,YAAoB,SAAoC;AAC9E,KAAI,SAAS;AACX,aAAS,IAAI,YAAY,EAAE,MAAM,8BAA8B,CAAC;EAChE,MAAM,YAAY,YAChB,IAAI,SAAkB,iBAAiB;GACrC,MAAM,MAAM,IAAI,IAAI,WAAW,QAAQ;GACvC,MAAM,MAAMA,mBAAM,IAAI,KAAK;IAAE,SAAS;IAAM,oBAAoB;IAAO,GAAG,QAAQ;IAChF,MAAM,KAAK,CAAC,EAAE,IAAI,cAAc,IAAI,cAAc,OAAO,IAAI,aAAa;AAC1E,QAAI,QAAQ;AACZ,iBAAa,GAAG;KAChB;AACF,OAAI,GAAG,iBAAiB;AACtB,QAAI,wBAAQ,IAAI,MAAM,UAAU,CAAC;KACjC;AACF,OAAI,GAAG,eAAe,aAAa,MAAM,CAAC;IAC1C;AAEJ,SAAO,MAAM;AAEX,OADW,MAAM,WAAW,EACpB;AACN,eAAS,QAAQ,YAAY,EAAE,MAAM,oBAAoB,CAAC;AAC1D;;AAIF,cAAS,OAAO,YAAY,EAAE,MAAM,2CAA2C,CAAC;AAChF,SAAM,IAAI,SAAe,aAAa;AACpC,eAAW,UAAU,IAAK;KAC1B;;;AAGN,QAAO;;AAGT,SAAgB,gBAAgB,WAA6B;CAE3D,MAAM,4CAA6B,QAAQ,IAAI,QAAQ,IAAI,qBAAqB;CAChF,MAAM,WAAW,KAAK,gCAAmB,oBAAoB,QAAQ,CAAC;CAGtE,IAAI;AACJ,KAAI;AACF,4CAAkB,QAAQ,SAAS,gBAAgB,EACjD,UAAU,SACX,CAAC,CAAC,MAAM;SACH;AAER,KAAI,CAAC,OACH,OAAM,IAAI,MACR,qJACD;CAGH,MAAM,EAAE,0BAA0B,GAAG,gBAAgB,UAAU,OAAO,EAAE;AASxE,QAAO;EACL,QAAQ;EACR,KATc;GACd,sBAAsB;GACtB;GACA,GAAG;GACH,MAAM,QAAQ,IAAI;GACnB;EAKC,gBAAgB;EAChB,cAAc;GACZ,MAAM;GACN,QAAQ;GACR,QAAQ;GACT;EACD,cAAc,CAAC,QAAQ,OAAO;EAC9B,gBAAgB;GAAC;GAAS;GAAW;GAAO;EAC7C;;;AAIH,eAAsB,6BAA6B,YAAsC;CACvF,MAAM,UAAU,gBAAgB,OAAU;AAC1C,OAAM,SAASC,YAAU,QAAQ,KAAK,mBAAmB;AAEzD,YAAS,IAAI,iBAAiB,EAC5B,MAAM,uGACP,CAAC;CAEF,MAAM,oDAAe;EACnB;EACA,QAAQ;EACT,CAAC;AAEF,YAAW,MAAM,WAAW,OAC1B,SAAQ,QAAQ,MAAhB;EACE,KAAK;AACH,OAAI,QAAQ,YAAY,UAAU,CAAC,QAAQ,QAAQ;AACjD,eAAS,QAAQ,iBAAiB,EAAE,MAAM,4CAA4C,CAAC;AACvF,eAAS,IAAI,eAAe,EAAE,MAAM,KAAK,CAAC;AAG1C,YAAQ,SAAS,QAAQ;;AAE3B;EACF,QACE,KAAI,QAAQ,SAAS,YAAY,QAAQ,YAAY,WAAW;AAC9D,cAAS,KAAK,iBAAiB,EAC7B,MAAM,kDAAkD,QAAQ,OAAO,KAAK,KAAK,IAClF,CAAC;AACF,cAAS,QAAQ,OAAO;;;AAKhC,QAAO;;AAIT,eAAsB,YACpB,WACA,UACA,SACA,gBACA,YACA,UAAU,OACV;CACA,MAAM,YAAY,KAAK,KAAK;CAC5B,MAAM,gBAAgB,IAAIC,kBAAU;CACpC,MAAM,oDAAe;EACnB;EACA,QAAQ;EACT,CAAC;AAEF,YAAW,MAAM,WAAW,OAC1B,SAAQ,QAAQ,MAAhB;EACE,KAAK;AACH,QAAK,MAAM,OAAO,QAAQ,QAAQ,QAChC,SAAQ,IAAI,MAAZ;IAEE,KAAK;AACH,SAAI,IAAI,SAAS,QAAQ;AACvB,iBAAS,OAAO,cAAc;AAC9B,iBAAS,OAAO,QAAQ,YAAY,EAClC,MAAM,GAAG,iBAAiB,WAAW,UAAU,KAAK,CAAC,gBACtD,CAAC;gBACO,IAAI,SAAS,OACtB,YAAS,OAAO,QAAQ,YAAY,EAClC,MAAM,GAAG,iBAAiB,WAAW,UAAU,KAAK,CAAC,kBACtD,CAAC;AAGJ;IACF,KAAK;AACH,SAAI,QACF,kBACE,eACA,GAAGC,gCAAc,OAAO,GAAG,4BAA4B,IAAI,KAAK,GACjE;AAEH;IACF;;AAGJ;EACF,KAAK;AACH,OAAI,QAAQ,YAAY,UACtB,YAAS,QAAQ,QAAQ,YAAY,EACnC,MAAM,GAAG,iBAAiB,WAAW,UAAU,KAAK,CAAC,kBAAkB,oBAAoB,UAAU,IACtG,CAAC;QACG;AAEL,qBAAiB,eAAe,GAAGA,gCAAc,MAAM,+BAA+B;AACtF,YAAQ,IAAI,QAAQ;AACpB,eAAS,QAAQ,OAAO;AACxB,kBAAc,QAAQ,OAAO;;AAE/B;EACF;;;;;;ACrLN,MAAM,cAAc,OAClB,aACA,gBACA,UAAU,UACP;CACH,MAAM,YAAY,KAAK,KAAK;CAC5B,MAAMC,aAAW,IAAIC,kBAAU;CAC/B,MAAM,eAAe,MAAM,6BAA6BD,WAAS;AAEjE,YAAS,OAAO,cAAc;AAC9B,YAAS,IAAI,aAAa,EACxB,MAAM,wDACP,CAAC;AAEF,MAAK,MAAM,aAAa,aAAa;AACnC,aAAS,IAAI,aAAa,aAAa;GACrC,QAAQ;GACR,MAAM,GAAG,iBAAiB,UAAU,CAAC;GACtC,CAAC;EAGF,MAAM,+CAAuB,SAAS,UAAU,0BAA0B,EACxE,UAAU,SACX,CAAC,CACC,MAAM,CACN,MAAM,KAAK,CACX,OAAO,QAAQ;EAElB,MAAM,8BAAc,IAAI,OACtB,2BAA2B,2BAA2B,KAAK,IAAI,CAAC,4DACjE;EAGD,MAAM,oBAAoB,YAAY,QAAQ,aAAa;AACzD,OAAI;IACF,MAAM,oCAAuB,UAAU,QAAQ;AAC/C,WAAO,YAAY,KAAK,QAAQ;WAC1B;AACN,WAAO;;IAET;AAEF,aAAS,OAAO,aAAa,aAAa,EACxC,MAAM,GAAG,iBAAiB,UAAU,CAAC,mBAAmB,kBAAkB,OAAO,wDAClF,CAAC;AAGF,OAAK,MAAM,YAAY,mBAAmB;AACxC,cAAS,IAAI,QAAQ,YAAY;IAC/B,QAAQ;IACR,MAAM,GAAG,iBAAiB,WAAW,UAAU,KAAK,CAAC;IACtD,CAAC;GAEF,MAAM,gDAAmC,UAAU,QAAQ;AAE3D,cAAS,OAAO,QAAQ,YAAY;IAClC,QAAQ;IACR,MAAM,GAAG,iBAAiB,WAAW,UAAU,KAAK,CAAC;IACtD,CAAC;AAEF,SAAM,YAAY,WAAW,UAAU,cAAc,gBAAgBA,YAAU,QAAQ;GAEvF,MAAM,2CAA8B,UAAU,QAAQ;AAGtD,OAAI,eAAe,SAAS;AAC1B,qBAAiBA,YAAU,YAAY,iBAAiB,WAAW,UAAU,KAAK,CAAC,GAAG;AACtF,qBAAiBA,YAAU,aAAa,qBAAqB,eAAe,CAAC;;AAG/E,cAAS,OAAO,cAAc;;AAGhC,MAAI,kBAAkB,WAAW,EAC/B,YAAS,QAAQ,aAAa,aAAa,EACzC,MAAM,GAAG,iBAAiB,UAAU,CAAC,6BACtC,CAAC;MAEF,YAAS,QAAQ,aAAa,aAAa;GACzC,QAAQ;GACR,MAAM,GAAG,iBAAiB,UAAU,CAAC,sBAAsB,kBAAkB,OAAO;GACrF,CAAC;;AAIN,YAAS,QAAQ,aAAa,EAC5B,MAAM,6CACP,CAAC;AACF,YAAS,QAAQ,UAAU;AAC3B,YAAS,IAAI,QAAQ;EACnB,MAAM,6CAA6C,oBAAoB,UAAU,CAAC;EAClF,QAAQ;EACT,CAAC;;AAGJ,0BAAe"}