forked from sanbuphy/learn-coding-agent
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathoperators.ts
More file actions
556 lines (489 loc) · 15.6 KB
/
operators.ts
File metadata and controls
556 lines (489 loc) · 15.6 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
/**
* Vim Operator Functions
*
* Pure functions for executing vim operators (delete, change, yank, etc.)
*/
import { Cursor } from '../utils/Cursor.js'
import { firstGrapheme, lastGrapheme } from '../utils/intl.js'
import { countCharInString } from '../utils/stringUtils.js'
import {
isInclusiveMotion,
isLinewiseMotion,
resolveMotion,
} from './motions.js'
import { findTextObject } from './textObjects.js'
import type {
FindType,
Operator,
RecordedChange,
TextObjScope,
} from './types.js'
/**
* Context for operator execution.
*/
export type OperatorContext = {
cursor: Cursor
text: string
setText: (text: string) => void
setOffset: (offset: number) => void
enterInsert: (offset: number) => void
getRegister: () => string
setRegister: (content: string, linewise: boolean) => void
getLastFind: () => { type: FindType; char: string } | null
setLastFind: (type: FindType, char: string) => void
recordChange: (change: RecordedChange) => void
}
/**
* Execute an operator with a simple motion.
*/
export function executeOperatorMotion(
op: Operator,
motion: string,
count: number,
ctx: OperatorContext,
): void {
const target = resolveMotion(motion, ctx.cursor, count)
if (target.equals(ctx.cursor)) return
const range = getOperatorRange(ctx.cursor, target, motion, op, count)
applyOperator(op, range.from, range.to, ctx, range.linewise)
ctx.recordChange({ type: 'operator', op, motion, count })
}
/**
* Execute an operator with a find motion.
*/
export function executeOperatorFind(
op: Operator,
findType: FindType,
char: string,
count: number,
ctx: OperatorContext,
): void {
const targetOffset = ctx.cursor.findCharacter(char, findType, count)
if (targetOffset === null) return
const target = new Cursor(ctx.cursor.measuredText, targetOffset)
const range = getOperatorRangeForFind(ctx.cursor, target, findType)
applyOperator(op, range.from, range.to, ctx)
ctx.setLastFind(findType, char)
ctx.recordChange({ type: 'operatorFind', op, find: findType, char, count })
}
/**
* Execute an operator with a text object.
*/
export function executeOperatorTextObj(
op: Operator,
scope: TextObjScope,
objType: string,
count: number,
ctx: OperatorContext,
): void {
const range = findTextObject(
ctx.text,
ctx.cursor.offset,
objType,
scope === 'inner',
)
if (!range) return
applyOperator(op, range.start, range.end, ctx)
ctx.recordChange({ type: 'operatorTextObj', op, objType, scope, count })
}
/**
* Execute a line operation (dd, cc, yy).
*/
export function executeLineOp(
op: Operator,
count: number,
ctx: OperatorContext,
): void {
const text = ctx.text
const lines = text.split('\n')
// Calculate logical line by counting newlines before cursor offset
// (cursor.getPosition() returns wrapped line which is wrong for this)
const currentLine = countCharInString(text.slice(0, ctx.cursor.offset), '\n')
const linesToAffect = Math.min(count, lines.length - currentLine)
const lineStart = ctx.cursor.startOfLogicalLine().offset
let lineEnd = lineStart
for (let i = 0; i < linesToAffect; i++) {
const nextNewline = text.indexOf('\n', lineEnd)
lineEnd = nextNewline === -1 ? text.length : nextNewline + 1
}
let content = text.slice(lineStart, lineEnd)
// Ensure linewise content ends with newline for paste detection
if (!content.endsWith('\n')) {
content = content + '\n'
}
ctx.setRegister(content, true)
if (op === 'yank') {
ctx.setOffset(lineStart)
} else if (op === 'delete') {
let deleteStart = lineStart
const deleteEnd = lineEnd
// If deleting to end of file and there's a preceding newline, include it
// This ensures deleting the last line doesn't leave a trailing newline
if (
deleteEnd === text.length &&
deleteStart > 0 &&
text[deleteStart - 1] === '\n'
) {
deleteStart -= 1
}
const newText = text.slice(0, deleteStart) + text.slice(deleteEnd)
ctx.setText(newText || '')
const maxOff = Math.max(
0,
newText.length - (lastGrapheme(newText).length || 1),
)
ctx.setOffset(Math.min(deleteStart, maxOff))
} else if (op === 'change') {
// For single line, just clear it
if (lines.length === 1) {
ctx.setText('')
ctx.enterInsert(0)
} else {
// Delete all affected lines, replace with single empty line, enter insert
const beforeLines = lines.slice(0, currentLine)
const afterLines = lines.slice(currentLine + linesToAffect)
const newText = [...beforeLines, '', ...afterLines].join('\n')
ctx.setText(newText)
ctx.enterInsert(lineStart)
}
}
ctx.recordChange({ type: 'operator', op, motion: op[0]!, count })
}
/**
* Execute delete character (x command).
*/
export function executeX(count: number, ctx: OperatorContext): void {
const from = ctx.cursor.offset
if (from >= ctx.text.length) return
// Advance by graphemes, not code units
let endCursor = ctx.cursor
for (let i = 0; i < count && !endCursor.isAtEnd(); i++) {
endCursor = endCursor.right()
}
const to = endCursor.offset
const deleted = ctx.text.slice(from, to)
const newText = ctx.text.slice(0, from) + ctx.text.slice(to)
ctx.setRegister(deleted, false)
ctx.setText(newText)
const maxOff = Math.max(
0,
newText.length - (lastGrapheme(newText).length || 1),
)
ctx.setOffset(Math.min(from, maxOff))
ctx.recordChange({ type: 'x', count })
}
/**
* Execute replace character (r command).
*/
export function executeReplace(
char: string,
count: number,
ctx: OperatorContext,
): void {
let offset = ctx.cursor.offset
let newText = ctx.text
for (let i = 0; i < count && offset < newText.length; i++) {
const graphemeLen = firstGrapheme(newText.slice(offset)).length || 1
newText =
newText.slice(0, offset) + char + newText.slice(offset + graphemeLen)
offset += char.length
}
ctx.setText(newText)
ctx.setOffset(Math.max(0, offset - char.length))
ctx.recordChange({ type: 'replace', char, count })
}
/**
* Execute toggle case (~ command).
*/
export function executeToggleCase(count: number, ctx: OperatorContext): void {
const startOffset = ctx.cursor.offset
if (startOffset >= ctx.text.length) return
let newText = ctx.text
let offset = startOffset
let toggled = 0
while (offset < newText.length && toggled < count) {
const grapheme = firstGrapheme(newText.slice(offset))
const graphemeLen = grapheme.length
const toggledGrapheme =
grapheme === grapheme.toUpperCase()
? grapheme.toLowerCase()
: grapheme.toUpperCase()
newText =
newText.slice(0, offset) +
toggledGrapheme +
newText.slice(offset + graphemeLen)
offset += toggledGrapheme.length
toggled++
}
ctx.setText(newText)
// Cursor moves to position after the last toggled character
// At end of line, cursor can be at the "end" position
ctx.setOffset(offset)
ctx.recordChange({ type: 'toggleCase', count })
}
/**
* Execute join lines (J command).
*/
export function executeJoin(count: number, ctx: OperatorContext): void {
const text = ctx.text
const lines = text.split('\n')
const { line: currentLine } = ctx.cursor.getPosition()
if (currentLine >= lines.length - 1) return
const linesToJoin = Math.min(count, lines.length - currentLine - 1)
let joinedLine = lines[currentLine]!
const cursorPos = joinedLine.length
for (let i = 1; i <= linesToJoin; i++) {
const nextLine = (lines[currentLine + i] ?? '').trimStart()
if (nextLine.length > 0) {
if (!joinedLine.endsWith(' ') && joinedLine.length > 0) {
joinedLine += ' '
}
joinedLine += nextLine
}
}
const newLines = [
...lines.slice(0, currentLine),
joinedLine,
...lines.slice(currentLine + linesToJoin + 1),
]
const newText = newLines.join('\n')
ctx.setText(newText)
ctx.setOffset(getLineStartOffset(newLines, currentLine) + cursorPos)
ctx.recordChange({ type: 'join', count })
}
/**
* Execute paste (p/P command).
*/
export function executePaste(
after: boolean,
count: number,
ctx: OperatorContext,
): void {
const register = ctx.getRegister()
if (!register) return
const isLinewise = register.endsWith('\n')
const content = isLinewise ? register.slice(0, -1) : register
if (isLinewise) {
const text = ctx.text
const lines = text.split('\n')
const { line: currentLine } = ctx.cursor.getPosition()
const insertLine = after ? currentLine + 1 : currentLine
const contentLines = content.split('\n')
const repeatedLines: string[] = []
for (let i = 0; i < count; i++) {
repeatedLines.push(...contentLines)
}
const newLines = [
...lines.slice(0, insertLine),
...repeatedLines,
...lines.slice(insertLine),
]
const newText = newLines.join('\n')
ctx.setText(newText)
ctx.setOffset(getLineStartOffset(newLines, insertLine))
} else {
const textToInsert = content.repeat(count)
const insertPoint =
after && ctx.cursor.offset < ctx.text.length
? ctx.cursor.measuredText.nextOffset(ctx.cursor.offset)
: ctx.cursor.offset
const newText =
ctx.text.slice(0, insertPoint) +
textToInsert +
ctx.text.slice(insertPoint)
const lastGr = lastGrapheme(textToInsert)
const newOffset = insertPoint + textToInsert.length - (lastGr.length || 1)
ctx.setText(newText)
ctx.setOffset(Math.max(insertPoint, newOffset))
}
}
/**
* Execute indent (>> command).
*/
export function executeIndent(
dir: '>' | '<',
count: number,
ctx: OperatorContext,
): void {
const text = ctx.text
const lines = text.split('\n')
const { line: currentLine } = ctx.cursor.getPosition()
const linesToAffect = Math.min(count, lines.length - currentLine)
const indent = ' ' // Two spaces
for (let i = 0; i < linesToAffect; i++) {
const lineIdx = currentLine + i
const line = lines[lineIdx] ?? ''
if (dir === '>') {
lines[lineIdx] = indent + line
} else if (line.startsWith(indent)) {
lines[lineIdx] = line.slice(indent.length)
} else if (line.startsWith('\t')) {
lines[lineIdx] = line.slice(1)
} else {
// Remove as much leading whitespace as possible up to indent length
let removed = 0
let idx = 0
while (
idx < line.length &&
removed < indent.length &&
/\s/.test(line[idx]!)
) {
removed++
idx++
}
lines[lineIdx] = line.slice(idx)
}
}
const newText = lines.join('\n')
const currentLineText = lines[currentLine] ?? ''
const firstNonBlank = (currentLineText.match(/^\s*/)?.[0] ?? '').length
ctx.setText(newText)
ctx.setOffset(getLineStartOffset(lines, currentLine) + firstNonBlank)
ctx.recordChange({ type: 'indent', dir, count })
}
/**
* Execute open line (o/O command).
*/
export function executeOpenLine(
direction: 'above' | 'below',
ctx: OperatorContext,
): void {
const text = ctx.text
const lines = text.split('\n')
const { line: currentLine } = ctx.cursor.getPosition()
const insertLine = direction === 'below' ? currentLine + 1 : currentLine
const newLines = [
...lines.slice(0, insertLine),
'',
...lines.slice(insertLine),
]
const newText = newLines.join('\n')
ctx.setText(newText)
ctx.enterInsert(getLineStartOffset(newLines, insertLine))
ctx.recordChange({ type: 'openLine', direction })
}
// ============================================================================
// Internal Helpers
// ============================================================================
/**
* Calculate the offset of a line's start position.
*/
function getLineStartOffset(lines: string[], lineIndex: number): number {
return lines.slice(0, lineIndex).join('\n').length + (lineIndex > 0 ? 1 : 0)
}
function getOperatorRange(
cursor: Cursor,
target: Cursor,
motion: string,
op: Operator,
count: number,
): { from: number; to: number; linewise: boolean } {
let from = Math.min(cursor.offset, target.offset)
let to = Math.max(cursor.offset, target.offset)
let linewise = false
// Special case: cw/cW changes to end of word, not start of next word
if (op === 'change' && (motion === 'w' || motion === 'W')) {
// For cw with count, move forward (count-1) words, then find end of that word
let wordCursor = cursor
for (let i = 0; i < count - 1; i++) {
wordCursor =
motion === 'w' ? wordCursor.nextVimWord() : wordCursor.nextWORD()
}
const wordEnd =
motion === 'w' ? wordCursor.endOfVimWord() : wordCursor.endOfWORD()
to = cursor.measuredText.nextOffset(wordEnd.offset)
} else if (isLinewiseMotion(motion)) {
// Linewise motions extend to include entire lines
linewise = true
const text = cursor.text
const nextNewline = text.indexOf('\n', to)
if (nextNewline === -1) {
// Deleting to end of file - include the preceding newline if exists
to = text.length
if (from > 0 && text[from - 1] === '\n') {
from -= 1
}
} else {
to = nextNewline + 1
}
} else if (isInclusiveMotion(motion) && cursor.offset <= target.offset) {
to = cursor.measuredText.nextOffset(to)
}
// Word motions can land inside an [Image #N] chip; extend the range to
// cover the whole chip so dw/cw/yw never leave a partial placeholder.
from = cursor.snapOutOfImageRef(from, 'start')
to = cursor.snapOutOfImageRef(to, 'end')
return { from, to, linewise }
}
/**
* Get the range for a find-based operator.
* Note: _findType is unused because Cursor.findCharacter already adjusts
* the offset for t/T motions. All find types are treated as inclusive here.
*/
function getOperatorRangeForFind(
cursor: Cursor,
target: Cursor,
_findType: FindType,
): { from: number; to: number } {
const from = Math.min(cursor.offset, target.offset)
const maxOffset = Math.max(cursor.offset, target.offset)
const to = cursor.measuredText.nextOffset(maxOffset)
return { from, to }
}
function applyOperator(
op: Operator,
from: number,
to: number,
ctx: OperatorContext,
linewise: boolean = false,
): void {
let content = ctx.text.slice(from, to)
// Ensure linewise content ends with newline for paste detection
if (linewise && !content.endsWith('\n')) {
content = content + '\n'
}
ctx.setRegister(content, linewise)
if (op === 'yank') {
ctx.setOffset(from)
} else if (op === 'delete') {
const newText = ctx.text.slice(0, from) + ctx.text.slice(to)
ctx.setText(newText)
const maxOff = Math.max(
0,
newText.length - (lastGrapheme(newText).length || 1),
)
ctx.setOffset(Math.min(from, maxOff))
} else if (op === 'change') {
const newText = ctx.text.slice(0, from) + ctx.text.slice(to)
ctx.setText(newText)
ctx.enterInsert(from)
}
}
export function executeOperatorG(
op: Operator,
count: number,
ctx: OperatorContext,
): void {
// count=1 means no count given, target = end of file
// otherwise target = line N
const target =
count === 1 ? ctx.cursor.startOfLastLine() : ctx.cursor.goToLine(count)
if (target.equals(ctx.cursor)) return
const range = getOperatorRange(ctx.cursor, target, 'G', op, count)
applyOperator(op, range.from, range.to, ctx, range.linewise)
ctx.recordChange({ type: 'operator', op, motion: 'G', count })
}
export function executeOperatorGg(
op: Operator,
count: number,
ctx: OperatorContext,
): void {
// count=1 means no count given, target = first line
// otherwise target = line N
const target =
count === 1 ? ctx.cursor.startOfFirstLine() : ctx.cursor.goToLine(count)
if (target.equals(ctx.cursor)) return
const range = getOperatorRange(ctx.cursor, target, 'gg', op, count)
applyOperator(op, range.from, range.to, ctx, range.linewise)
ctx.recordChange({ type: 'operator', op, motion: 'gg', count })
}