-
-
Notifications
You must be signed in to change notification settings - Fork 504
/
Copy pathlib.rs
469 lines (413 loc) · 17.3 KB
/
lib.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
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
//! Semantic analysis of a JavaScript/TypeScript program.
//!
//! # Example
//! ```rust
#![doc = include_str!("../examples/semantic.rs")]
//! ```
use std::ops::RangeBounds;
use oxc_ast::{
ast::IdentifierReference, comments_range, has_comments_between, AstKind, Comment, CommentsRange,
};
use oxc_cfg::ControlFlowGraph;
use oxc_span::{GetSpan, SourceType, Span};
// Re-export flags and ID types
pub use oxc_syntax::{
node::{NodeFlags, NodeId},
reference::{Reference, ReferenceFlags, ReferenceId},
scope::{ScopeFlags, ScopeId},
symbol::{SymbolFlags, SymbolId},
};
pub mod dot;
mod binder;
mod builder;
mod checker;
mod class;
mod diagnostics;
mod jsdoc;
mod label;
mod node;
mod scope;
mod stats;
mod symbol;
mod unresolved_stack;
pub use builder::{SemanticBuilder, SemanticBuilderReturn};
pub use jsdoc::{JSDoc, JSDocFinder, JSDocTag};
pub use node::{AstNode, AstNodes};
pub use scope::ScopeTree;
pub use stats::Stats;
pub use symbol::{IsGlobalReference, SymbolTable};
use class::ClassTable;
/// Semantic analysis of a JavaScript/TypeScript program.
///
/// [`Semantic`] contains the results of analyzing a program, including the
/// [`Abstract Syntax Tree (AST)`], [`scope tree`], [`symbol table`], and
/// [`control flow graph (CFG)`].
///
/// Do not construct this struct directly; instead, use [`SemanticBuilder`].
///
/// [`Abstract Syntax Tree (AST)`]: crate::AstNodes
/// [`scope tree`]: crate::ScopeTree
/// [`symbol table`]: crate::SymbolTable
/// [`control flow graph (CFG)`]: crate::ControlFlowGraph
pub struct Semantic<'a> {
/// Source code of the JavaScript/TypeScript program being analyzed.
source_text: &'a str,
/// What kind of source code is being analyzed. Comes from the parser.
source_type: SourceType,
/// The Abstract Syntax Tree (AST) nodes.
nodes: AstNodes<'a>,
/// The scope tree containing scopes and what identifier names are bound in
/// each one.
scopes: ScopeTree,
/// Symbol table containing all symbols in the program and their references.
symbols: SymbolTable,
classes: ClassTable,
/// Parsed comments.
comments: &'a oxc_allocator::Vec<'a, Comment>,
irregular_whitespaces: Box<[Span]>,
/// Parsed JSDoc comments.
jsdoc: JSDocFinder<'a>,
unused_labels: Vec<NodeId>,
/// Control flow graph. Only present if [`Semantic`] is built with cfg
/// creation enabled using [`SemanticBuilder::with_cfg`].
cfg: Option<ControlFlowGraph>,
}
impl<'a> Semantic<'a> {
/// Extract the [`SymbolTable`] and [`ScopeTree`] from the [`Semantic`]
/// instance, consuming `self`.
pub fn into_symbol_table_and_scope_tree(self) -> (SymbolTable, ScopeTree) {
(self.symbols, self.scopes)
}
/// Source code of the JavaScript/TypeScript program being analyzed.
pub fn source_text(&self) -> &'a str {
self.source_text
}
/// What kind of source code is being analyzed. Comes from the parser.
pub fn source_type(&self) -> &SourceType {
&self.source_type
}
/// Nodes in the Abstract Syntax Tree (AST)
pub fn nodes(&self) -> &AstNodes<'a> {
&self.nodes
}
/// The [`ScopeTree`] containing scopes and what identifier names are bound in
/// each one.
pub fn scopes(&self) -> &ScopeTree {
&self.scopes
}
pub fn classes(&self) -> &ClassTable {
&self.classes
}
/// Get a mutable reference to the [`ScopeTree`].
pub fn scopes_mut(&mut self) -> &mut ScopeTree {
&mut self.scopes
}
pub fn set_irregular_whitespaces(&mut self, irregular_whitespaces: Box<[Span]>) {
self.irregular_whitespaces = irregular_whitespaces;
}
/// Trivias (comments) found while parsing
pub fn comments(&self) -> &[Comment] {
self.comments
}
pub fn comments_range<R>(&self, range: R) -> CommentsRange<'_>
where
R: RangeBounds<u32>,
{
comments_range(self.comments, range)
}
pub fn has_comments_between(&self, span: Span) -> bool {
has_comments_between(self.comments, span)
}
pub fn irregular_whitespaces(&self) -> &[Span] {
&self.irregular_whitespaces
}
/// Parsed [`JSDoc`] comments.
///
/// Will be empty if JSDoc parsing is disabled.
pub fn jsdoc(&self) -> &JSDocFinder<'a> {
&self.jsdoc
}
/// [`SymbolTable`] containing all symbols in the program and their
/// [`Reference`]s.
pub fn symbols(&self) -> &SymbolTable {
&self.symbols
}
/// Get a mutable reference to the [`SymbolTable`].
pub fn symbols_mut(&mut self) -> &mut SymbolTable {
&mut self.symbols
}
pub fn unused_labels(&self) -> &Vec<NodeId> {
&self.unused_labels
}
/// Control flow graph.
///
/// Only present if [`Semantic`] is built with cfg creation enabled using
/// [`SemanticBuilder::with_cfg`].
pub fn cfg(&self) -> Option<&ControlFlowGraph> {
self.cfg.as_ref()
}
/// Get statistics about data held in `Semantic`.
pub fn stats(&self) -> Stats {
#[allow(clippy::cast_possible_truncation)]
Stats::new(
self.nodes.len() as u32,
self.scopes.len() as u32,
self.symbols.len() as u32,
self.symbols.references.len() as u32,
)
}
pub fn is_unresolved_reference(&self, node_id: NodeId) -> bool {
let reference_node = self.nodes.get_node(node_id);
let AstKind::IdentifierReference(id) = reference_node.kind() else {
return false;
};
self.scopes().root_unresolved_references().contains_key(id.name.as_str())
}
/// Find which scope a symbol is declared in
pub fn symbol_scope(&self, symbol_id: SymbolId) -> ScopeId {
self.symbols.get_scope_id(symbol_id)
}
/// Get all resolved references for a symbol
pub fn symbol_references(&self, symbol_id: SymbolId) -> impl Iterator<Item = &Reference> + '_ {
self.symbols.get_resolved_references(symbol_id)
}
pub fn symbol_declaration(&self, symbol_id: SymbolId) -> &AstNode<'a> {
self.nodes.get_node(self.symbols.get_declaration(symbol_id))
}
pub fn is_reference_to_global_variable(&self, ident: &IdentifierReference) -> bool {
self.scopes().root_unresolved_references().contains_key(ident.name.as_str())
}
pub fn reference_name(&self, reference: &Reference) -> &str {
let node = self.nodes.get_node(reference.node_id());
match node.kind() {
AstKind::IdentifierReference(id) => id.name.as_str(),
_ => unreachable!(),
}
}
pub fn reference_span(&self, reference: &Reference) -> Span {
let node = self.nodes.get_node(reference.node_id());
node.kind().span()
}
}
#[cfg(test)]
mod tests {
use oxc_allocator::Allocator;
use oxc_ast::{ast::VariableDeclarationKind, AstKind};
use oxc_span::{Atom, SourceType};
use super::*;
/// Create a [`Semantic`] from source code, assuming there are no syntax/semantic errors.
fn get_semantic<'s, 'a: 's>(
allocator: &'a Allocator,
source: &'s str,
source_type: SourceType,
) -> Semantic<'s> {
let parse = oxc_parser::Parser::new(allocator, source, source_type).parse();
assert!(parse.errors.is_empty());
let semantic = SemanticBuilder::new().build(&parse.program);
assert!(semantic.errors.is_empty(), "Parse error: {}", semantic.errors[0]);
semantic.semantic
}
#[test]
fn test_symbols() {
let source = "
let a;
function foo(a) {
return a + 1;
}
let b = a + foo(1);";
let allocator = Allocator::default();
let semantic = get_semantic(&allocator, source, SourceType::default());
let top_level_a =
semantic.scopes().get_binding(semantic.scopes().root_scope_id(), "a").unwrap();
let decl = semantic.symbol_declaration(top_level_a);
match decl.kind() {
AstKind::VariableDeclarator(decl) => {
assert_eq!(decl.kind, VariableDeclarationKind::Let);
}
kind => panic!("Expected VariableDeclarator for 'let', got {kind:?}"),
}
let references = semantic.symbol_references(top_level_a);
assert_eq!(references.count(), 1);
}
#[test]
fn test_top_level_symbols() {
let source = "function Fn() {}";
let allocator = Allocator::default();
let semantic = get_semantic(&allocator, source, SourceType::default());
let top_level_a = semantic
.scopes()
.iter_bindings()
.find(|(_scope_id, _symbol_id, name)| *name == "Fn")
.unwrap();
assert_eq!(semantic.symbols.get_scope_id(top_level_a.1), top_level_a.0);
}
#[test]
fn test_is_global() {
let source = "
var a = 0;
function foo() {
a += 1;
}
var b = a + 2;
";
let allocator = Allocator::default();
let semantic = get_semantic(&allocator, source, SourceType::default());
for node in semantic.nodes() {
if let AstKind::IdentifierReference(id) = node.kind() {
assert!(!semantic.is_reference_to_global_variable(id));
}
}
}
#[test]
fn type_alias_gets_reference() {
let source = "type A = 1; type B = A";
let allocator = Allocator::default();
let source_type: SourceType = SourceType::default().with_typescript(true);
let semantic = get_semantic(&allocator, source, source_type);
assert_eq!(semantic.symbols().references.len(), 1);
}
#[test]
fn test_reference_resolutions_simple_read_write() {
let alloc = Allocator::default();
let target_symbol_name = Atom::from("a");
let typescript = SourceType::ts();
let sources = [
// simple cases
(SourceType::default(), "let a = 1; a = 2", ReferenceFlags::write()),
(SourceType::default(), "let a = 1, b; b = a", ReferenceFlags::read()),
(SourceType::default(), "let a = 1, b; b[a]", ReferenceFlags::read()),
(SourceType::default(), "let a = 1, b = 1, c; c = a + b", ReferenceFlags::read()),
(SourceType::default(), "function a() { return }; a()", ReferenceFlags::read()),
(SourceType::default(), "class a {}; new a()", ReferenceFlags::read()),
(SourceType::default(), "let a; function foo() { return a }", ReferenceFlags::read()),
// pattern assignment
(SourceType::default(), "let a = 1, b; b = { a }", ReferenceFlags::read()),
(SourceType::default(), "let a, b; ({ b } = { a })", ReferenceFlags::read()),
(SourceType::default(), "let a, b; ({ a } = { b })", ReferenceFlags::write()),
(SourceType::default(), "let a, b; ([ b ] = [ a ])", ReferenceFlags::read()),
(SourceType::default(), "let a, b; ([ a ] = [ b ])", ReferenceFlags::write()),
// property access/mutation
(SourceType::default(), "let a = { b: 1 }; a.b = 2", ReferenceFlags::read()),
(SourceType::default(), "let a = { b: 1 }; a.b += 2", ReferenceFlags::read()),
// parens are pass-through
(SourceType::default(), "let a = 1, b; b = (a)", ReferenceFlags::read()),
(SourceType::default(), "let a = 1, b; b = ++(a)", ReferenceFlags::read_write()),
(SourceType::default(), "let a = 1, b; b = ++((((a))))", ReferenceFlags::read_write()),
(SourceType::default(), "let a = 1, b; b = ((++((a))))", ReferenceFlags::read_write()),
// simple binops/calls for sanity check
(SourceType::default(), "let a, b; a + b", ReferenceFlags::read()),
(SourceType::default(), "let a, b; b(a)", ReferenceFlags::read()),
(SourceType::default(), "let a, b; a = 5", ReferenceFlags::write()),
// unary op counts as write, but checking continues up tree
(SourceType::default(), "let a = 1, b; b = ++a", ReferenceFlags::read_write()),
(SourceType::default(), "let a = 1, b; b = --a", ReferenceFlags::read_write()),
(SourceType::default(), "let a = 1, b; b = a++", ReferenceFlags::read_write()),
(SourceType::default(), "let a = 1, b; b = a--", ReferenceFlags::read_write()),
// assignment expressions count as read-write
(SourceType::default(), "let a = 1, b; b = a += 5", ReferenceFlags::read_write()),
(SourceType::default(), "let a = 1; a += 5", ReferenceFlags::read_write()),
(SourceType::default(), "let a, b; b = a = 1", ReferenceFlags::write()),
(SourceType::default(), "let a, b; b = (a = 1)", ReferenceFlags::write()),
(SourceType::default(), "let a, b, c; b = c = a", ReferenceFlags::read()),
// sequences return last read_write in sequence
(SourceType::default(), "let a, b; b = (0, a++)", ReferenceFlags::read_write()),
// loops
(
SourceType::default(),
"var a, arr = [1, 2, 3]; for(a in arr) { break }",
ReferenceFlags::write(),
),
(
SourceType::default(),
"var a, obj = { }; for(a of obj) { break }",
ReferenceFlags::write(),
),
(SourceType::default(), "var a; for(; false; a++) { }", ReferenceFlags::read_write()),
(SourceType::default(), "var a = 1; while(a < 5) { break }", ReferenceFlags::read()),
// if statements
(
SourceType::default(),
"let a; if (a) { true } else { false }",
ReferenceFlags::read(),
),
(
SourceType::default(),
"let a, b; if (a == b) { true } else { false }",
ReferenceFlags::read(),
),
(
SourceType::default(),
"let a, b; if (b == a) { true } else { false }",
ReferenceFlags::read(),
),
// identifiers not in last read_write are also considered a read (at
// least, or now)
(SourceType::default(), "let a, b; b = (a, 0)", ReferenceFlags::read()),
(SourceType::default(), "let a, b; b = (--a, 0)", ReferenceFlags::read_write()),
(
SourceType::default(),
"let a; function foo(a) { return a }; foo(a = 1)",
// ^ write
ReferenceFlags::write(),
),
// member expression
(SourceType::default(), "let a; a.b = 1", ReferenceFlags::read()),
(SourceType::default(), "let a; let b; b[a += 1] = 1", ReferenceFlags::read_write()),
(
SourceType::default(),
"let a; let b; let c; b[c[a = c['a']] = 'c'] = 'b'",
// ^ write
ReferenceFlags::write(),
),
(
SourceType::default(),
"let a; let b; let c; a[c[b = c['a']] = 'c'] = 'b'",
ReferenceFlags::read(),
),
(SourceType::default(), "console.log;let a=0;a++", ReferenceFlags::read_write()),
// ^^^ UpdateExpression is always a read | write
// typescript
(typescript, "let a: number = 1; (a as any) = true", ReferenceFlags::write()),
(typescript, "let a: number = 1; a = true as any", ReferenceFlags::write()),
(typescript, "let a: number = 1; a = 2 as const", ReferenceFlags::write()),
(typescript, "let a: number = 1; a = 2 satisfies number", ReferenceFlags::write()),
(typescript, "let a: number; (a as any) = 1;", ReferenceFlags::write()),
];
for (source_type, source, flags) in sources {
let semantic = get_semantic(&alloc, source, source_type);
let a_id =
semantic.scopes().get_root_binding(&target_symbol_name).unwrap_or_else(|| {
panic!("no references for '{target_symbol_name}' found");
});
let a_refs: Vec<_> = semantic.symbol_references(a_id).collect();
let num_refs = a_refs.len();
assert!(
num_refs == 1,
"expected to find 1 reference to '{target_symbol_name}' but {num_refs} were found\n\nsource:\n{source}"
);
let ref_type = a_refs[0];
if flags.is_write() {
assert!(
ref_type.is_write(),
"expected reference to '{target_symbol_name}' to be write\n\nsource:\n{source}"
);
} else {
assert!(
!ref_type.is_write(),
"expected reference to '{target_symbol_name}' not to have been written to, but it is\n\nsource:\n{source}"
);
}
if flags.is_read() {
assert!(
ref_type.is_read(),
"expected reference to '{target_symbol_name}' to be read\n\nsource:\n{source}"
);
} else {
assert!(
!ref_type.is_read(),
"expected reference to '{target_symbol_name}' not to be read, but it is\n\nsource:\n{source}"
);
}
}
}
}