-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathmod.rs
216 lines (181 loc) · 6.1 KB
/
mod.rs
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
pub mod append;
pub mod indent;
pub mod movement;
pub mod prepend;
pub mod token;
#[cfg(feature = "source_map")]
pub mod source_map;
pub mod update;
use std::{collections::VecDeque, sync::OnceLock};
use rustc_hash::FxHashMap;
use crate::{
chunk::{Chunk, ChunkIdx},
span::Span,
type_aliases::IndexChunks,
CowStr,
};
#[derive(Debug, Default)]
pub struct MagicStringOptions {
pub filename: Option<String>,
}
#[derive(Debug, Clone)]
pub struct MagicString<'s> {
pub filename: Option<String>,
intro: VecDeque<CowStr<'s>>,
outro: VecDeque<CowStr<'s>>,
source: CowStr<'s>,
chunks: IndexChunks<'s>,
first_chunk_idx: ChunkIdx,
last_chunk_idx: ChunkIdx,
chunk_by_start: FxHashMap<usize, ChunkIdx>,
chunk_by_end: FxHashMap<usize, ChunkIdx>,
guessed_indentor: OnceLock<String>,
// This is used to speed up the search for the chunk that contains a given index.
last_searched_chunk_idx: ChunkIdx,
}
impl<'text> MagicString<'text> {
// --- public
pub fn new(source: impl Into<CowStr<'text>>) -> Self {
Self::with_options(source, Default::default())
}
pub fn with_options(source: impl Into<CowStr<'text>>, options: MagicStringOptions) -> Self {
let source: CowStr = source.into();
let source_len = source.len();
let initial_chunk = Chunk::new(Span(0, source_len));
let mut chunks = IndexChunks::with_capacity(1);
let initial_chunk_idx = chunks.push(initial_chunk);
let mut magic_string = Self {
intro: Default::default(),
outro: Default::default(),
source,
first_chunk_idx: initial_chunk_idx,
last_chunk_idx: initial_chunk_idx,
chunks,
chunk_by_start: Default::default(),
chunk_by_end: Default::default(),
filename: options.filename,
guessed_indentor: OnceLock::default(),
last_searched_chunk_idx: initial_chunk_idx,
};
magic_string.chunk_by_start.insert(0, initial_chunk_idx);
magic_string.chunk_by_end.insert(source_len, initial_chunk_idx);
magic_string
}
pub fn len(&self) -> usize {
self.fragments().map(|f| f.len()).sum()
}
pub fn to_string(&self) -> String {
let size_hint = self.len();
let mut ret = String::with_capacity(size_hint);
self.fragments().for_each(|f| ret.push_str(f));
ret
}
// --- private
fn prepend_intro(&mut self, content: impl Into<CowStr<'text>>) {
self.intro.push_front(content.into());
}
fn append_outro(&mut self, content: impl Into<CowStr<'text>>) {
self.outro.push_back(content.into());
}
fn prepend_outro(&mut self, content: impl Into<CowStr<'text>>) {
self.outro.push_front(content.into());
}
fn append_intro(&mut self, content: impl Into<CowStr<'text>>) {
self.intro.push_back(content.into());
}
fn iter_chunks(&self) -> impl Iterator<Item = &Chunk> {
IterChunks { next: Some(self.first_chunk_idx), chunks: &self.chunks }
}
pub(crate) fn fragments(&'text self) -> impl Iterator<Item = &'text str> {
let intro = self.intro.iter().map(|s| s.as_ref());
let outro = self.outro.iter().map(|s| s.as_ref());
let chunks = self.iter_chunks().flat_map(|c| c.fragments(&self.source));
intro.chain(chunks).chain(outro)
}
/// For input
/// "abcdefg"
/// 0123456
///
/// Chunk{span: (0, 7)} => "abcdefg"
///
/// split_at(3) would create
///
/// Chunk{span: (0, 3)} => "abc"
/// Chunk{span: (3, 7)} => "defg"
fn split_at(&mut self, at_index: usize) {
if at_index == 0 || at_index >= self.source.len() || self.chunk_by_end.contains_key(&at_index) {
return;
}
let (mut candidate, mut candidate_idx, search_right) = {
let last_searched_chunk = &self.chunks[self.last_searched_chunk_idx];
let search_right = at_index > last_searched_chunk.end();
(last_searched_chunk, self.last_searched_chunk_idx, search_right)
};
while !candidate.contains(at_index) {
let next_idx = if search_right {
self.chunk_by_start[&candidate.end()]
} else {
self.chunk_by_end[&candidate.start()]
};
candidate = &self.chunks[next_idx];
candidate_idx = next_idx;
}
let second_half_chunk = self.chunks[candidate_idx].split(at_index);
let second_half_span = second_half_chunk.span;
let second_half_idx = self.chunks.push(second_half_chunk);
let first_half_idx = candidate_idx;
// Update the last searched chunk
self.last_searched_chunk_idx = first_half_idx;
// Update the chunk_by_start/end maps
self.chunk_by_end.insert(at_index, first_half_idx);
self.chunk_by_start.insert(at_index, second_half_idx);
self.chunk_by_end.insert(second_half_span.end(), second_half_idx);
// Make sure the new chunk and the old chunk have correct next/prev pointers
self.chunks[second_half_idx].next = self.chunks[first_half_idx].next;
if let Some(second_half_next_idx) = self.chunks[second_half_idx].next {
self.chunks[second_half_next_idx].prev = Some(second_half_idx);
}
self.chunks[second_half_idx].prev = Some(first_half_idx);
self.chunks[first_half_idx].next = Some(second_half_idx);
if first_half_idx == self.last_chunk_idx {
self.last_chunk_idx = second_half_idx
}
}
fn by_start_mut(&mut self, text_index: usize) -> Option<&mut Chunk<'text>> {
if text_index == self.source.len() {
None
} else {
self.split_at(text_index);
// TODO: safety: using `unwrap_unchecked` is fine.
let idx = self.chunk_by_start.get(&text_index).unwrap();
Some(&mut self.chunks[*idx])
}
}
fn by_end_mut(&mut self, text_index: usize) -> Option<&mut Chunk<'text>> {
if text_index == 0 {
None
} else {
self.split_at(text_index);
// TODO: safety: using `unwrap_unchecked` is fine.
let idx = self.chunk_by_end.get(&text_index).unwrap();
Some(&mut self.chunks[*idx])
}
}
}
struct IterChunks<'a> {
next: Option<ChunkIdx>,
chunks: &'a IndexChunks<'a>,
}
impl<'a> Iterator for IterChunks<'a> {
type Item = &'a Chunk<'a>;
fn next(&mut self) -> Option<Self::Item> {
match self.next {
None => None,
Some(idx) => {
let chunk = &self.chunks[idx];
self.next = chunk.next;
Some(chunk)
}
}
}
}