Skip to content

Commit ea3de06

Browse files
committed
feat(mangler): support keep_names option (#9898)
Same with #9873, but built on top of #9897. close #9873 close #9711
1 parent 9992559 commit ea3de06

File tree

8 files changed

+263
-67
lines changed

8 files changed

+263
-67
lines changed

crates/oxc_mangler/src/keep_names.rs

+100-45
Original file line numberDiff line numberDiff line change
@@ -3,24 +3,65 @@ use oxc_ast::{AstKind, ast::*};
33
use oxc_semantic::{AstNode, AstNodes, ReferenceId, Scoping, SymbolId};
44
use rustc_hash::FxHashSet;
55

6-
#[cfg_attr(not(test), expect(dead_code))]
7-
pub fn collect_name_symbols(scoping: &Scoping, ast_nodes: &AstNodes) -> FxHashSet<SymbolId> {
8-
let collector = NameSymbolCollector::new(scoping, ast_nodes);
6+
#[derive(Debug, Clone, Copy, Default)]
7+
pub struct MangleOptionsKeepNames {
8+
/// Preserve `name` property for functions.
9+
///
10+
/// Default `false`
11+
pub function: bool,
12+
13+
/// Preserve `name` property for classes.
14+
///
15+
/// Default `false`
16+
pub class: bool,
17+
}
18+
19+
impl MangleOptionsKeepNames {
20+
pub fn all_false() -> Self {
21+
Self { function: false, class: false }
22+
}
23+
24+
pub fn all_true() -> Self {
25+
Self { function: true, class: true }
26+
}
27+
}
28+
29+
impl From<bool> for MangleOptionsKeepNames {
30+
fn from(keep_names: bool) -> Self {
31+
if keep_names { Self::all_true() } else { Self::all_false() }
32+
}
33+
}
34+
35+
pub fn collect_name_symbols(
36+
options: MangleOptionsKeepNames,
37+
scoping: &Scoping,
38+
ast_nodes: &AstNodes,
39+
) -> FxHashSet<SymbolId> {
40+
let collector = NameSymbolCollector::new(options, scoping, ast_nodes);
941
collector.collect()
1042
}
1143

1244
/// Collects symbols that are used to set `name` properties of functions and classes.
1345
struct NameSymbolCollector<'a, 'b> {
46+
options: MangleOptionsKeepNames,
1447
scoping: &'b Scoping,
1548
ast_nodes: &'b AstNodes<'a>,
1649
}
1750

1851
impl<'a, 'b: 'a> NameSymbolCollector<'a, 'b> {
19-
fn new(scoping: &'b Scoping, ast_nodes: &'b AstNodes<'a>) -> Self {
20-
Self { scoping, ast_nodes }
52+
fn new(
53+
options: MangleOptionsKeepNames,
54+
scoping: &'b Scoping,
55+
ast_nodes: &'b AstNodes<'a>,
56+
) -> Self {
57+
Self { options, scoping, ast_nodes }
2158
}
2259

2360
fn collect(self) -> FxHashSet<SymbolId> {
61+
if !self.options.function && !self.options.class {
62+
return FxHashSet::default();
63+
}
64+
2465
self.scoping
2566
.symbol_ids()
2667
.filter(|symbol_id| {
@@ -42,9 +83,12 @@ impl<'a, 'b: 'a> NameSymbolCollector<'a, 'b> {
4283
fn is_name_set_declare_node(&self, node: &'a AstNode, symbol_id: SymbolId) -> bool {
4384
match node.kind() {
4485
AstKind::Function(function) => {
45-
function.id.as_ref().is_some_and(|id| id.symbol_id() == symbol_id)
86+
self.options.function
87+
&& function.id.as_ref().is_some_and(|id| id.symbol_id() == symbol_id)
88+
}
89+
AstKind::Class(cls) => {
90+
self.options.class && cls.id.as_ref().is_some_and(|id| id.symbol_id() == symbol_id)
4691
}
47-
AstKind::Class(cls) => cls.id.as_ref().is_some_and(|id| id.symbol_id() == symbol_id),
4892
AstKind::VariableDeclarator(decl) => {
4993
if let BindingPatternKind::BindingIdentifier(id) = &decl.id.kind {
5094
if id.symbol_id() == symbol_id {
@@ -176,9 +220,18 @@ impl<'a, 'b: 'a> NameSymbolCollector<'a, 'b> {
176220
}
177221
}
178222

179-
#[expect(clippy::unused_self)]
180223
fn is_expression_whose_name_needs_to_be_kept(&self, expr: &Expression) -> bool {
181-
expr.is_anonymous_function_definition()
224+
let is_anonymous = expr.is_anonymous_function_definition();
225+
if !is_anonymous {
226+
return false;
227+
}
228+
229+
if self.options.class && self.options.function {
230+
return true;
231+
}
232+
233+
let is_class = matches!(expr, Expression::ClassExpression(_));
234+
(self.options.class && is_class) || (self.options.function && !is_class)
182235
}
183236
}
184237

@@ -189,81 +242,83 @@ mod test {
189242
use oxc_semantic::SemanticBuilder;
190243
use oxc_span::SourceType;
191244
use rustc_hash::FxHashSet;
192-
use std::iter::once;
193245

194-
use super::collect_name_symbols;
246+
use super::{MangleOptionsKeepNames, collect_name_symbols};
195247

196-
fn collect(source_text: &str) -> FxHashSet<String> {
248+
fn collect(opts: MangleOptionsKeepNames, source_text: &str) -> FxHashSet<String> {
197249
let allocator = Allocator::default();
198250
let ret = Parser::new(&allocator, source_text, SourceType::mjs()).parse();
199251
assert!(!ret.panicked, "{source_text}");
200252
assert!(ret.errors.is_empty(), "{source_text}");
201253
let ret = SemanticBuilder::new().build(&ret.program);
202254
assert!(ret.errors.is_empty(), "{source_text}");
203255
let semantic = ret.semantic;
204-
let symbols = collect_name_symbols(semantic.scoping(), semantic.nodes());
256+
let symbols = collect_name_symbols(opts, semantic.scoping(), semantic.nodes());
205257
symbols
206258
.into_iter()
207259
.map(|symbol_id| semantic.scoping().symbol_name(symbol_id).to_string())
208260
.collect()
209261
}
210262

263+
fn data(s: &str) -> FxHashSet<String> {
264+
FxHashSet::from_iter([s.to_string()])
265+
}
266+
267+
fn function_only() -> MangleOptionsKeepNames {
268+
MangleOptionsKeepNames { function: true, class: false }
269+
}
270+
271+
fn class_only() -> MangleOptionsKeepNames {
272+
MangleOptionsKeepNames { function: false, class: true }
273+
}
274+
211275
#[test]
212276
fn test_declarations() {
213-
assert_eq!(collect("function foo() {}"), once("foo".to_string()).collect());
214-
assert_eq!(collect("class Foo {}"), once("Foo".to_string()).collect());
277+
assert_eq!(collect(function_only(), "function foo() {}"), data("foo"));
278+
assert_eq!(collect(class_only(), "class Foo {}"), data("Foo"));
215279
}
216280

217281
#[test]
218282
fn test_simple_declare_init() {
219-
assert_eq!(collect("var foo = function() {}"), once("foo".to_string()).collect());
220-
assert_eq!(collect("var foo = () => {}"), once("foo".to_string()).collect());
221-
assert_eq!(collect("var Foo = class {}"), once("Foo".to_string()).collect());
283+
assert_eq!(collect(function_only(), "var foo = function() {}"), data("foo"));
284+
assert_eq!(collect(function_only(), "var foo = () => {}"), data("foo"));
285+
assert_eq!(collect(class_only(), "var Foo = class {}"), data("Foo"));
222286
}
223287

224288
#[test]
225289
fn test_simple_assign() {
226-
assert_eq!(collect("var foo; foo = function() {}"), once("foo".to_string()).collect());
227-
assert_eq!(collect("var foo; foo = () => {}"), once("foo".to_string()).collect());
228-
assert_eq!(collect("var Foo; Foo = class {}"), once("Foo".to_string()).collect());
290+
assert_eq!(collect(function_only(), "var foo; foo = function() {}"), data("foo"));
291+
assert_eq!(collect(function_only(), "var foo; foo = () => {}"), data("foo"));
292+
assert_eq!(collect(class_only(), "var Foo; Foo = class {}"), data("Foo"));
229293

230-
assert_eq!(collect("var foo; foo ||= function() {}"), once("foo".to_string()).collect());
231-
assert_eq!(
232-
collect("var foo = 1; foo &&= function() {}"),
233-
once("foo".to_string()).collect()
234-
);
235-
assert_eq!(collect("var foo; foo ??= function() {}"), once("foo".to_string()).collect());
294+
assert_eq!(collect(function_only(), "var foo; foo ||= function() {}"), data("foo"));
295+
assert_eq!(collect(function_only(), "var foo = 1; foo &&= function() {}"), data("foo"));
296+
assert_eq!(collect(function_only(), "var foo; foo ??= function() {}"), data("foo"));
236297
}
237298

238299
#[test]
239300
fn test_default_declarations() {
240-
assert_eq!(collect("var [foo = function() {}] = []"), once("foo".to_string()).collect());
241-
assert_eq!(collect("var [foo = () => {}] = []"), once("foo".to_string()).collect());
242-
assert_eq!(collect("var [Foo = class {}] = []"), once("Foo".to_string()).collect());
243-
assert_eq!(collect("var { foo = function() {} } = {}"), once("foo".to_string()).collect());
301+
assert_eq!(collect(function_only(), "var [foo = function() {}] = []"), data("foo"));
302+
assert_eq!(collect(function_only(), "var [foo = () => {}] = []"), data("foo"));
303+
assert_eq!(collect(class_only(), "var [Foo = class {}] = []"), data("Foo"));
304+
assert_eq!(collect(function_only(), "var { foo = function() {} } = {}"), data("foo"));
244305
}
245306

246307
#[test]
247308
fn test_default_assign() {
309+
assert_eq!(collect(function_only(), "var foo; [foo = function() {}] = []"), data("foo"));
310+
assert_eq!(collect(function_only(), "var foo; [foo = () => {}] = []"), data("foo"));
311+
assert_eq!(collect(class_only(), "var Foo; [Foo = class {}] = []"), data("Foo"));
248312
assert_eq!(
249-
collect("var foo; [foo = function() {}] = []"),
250-
once("foo".to_string()).collect()
251-
);
252-
assert_eq!(collect("var foo; [foo = () => {}] = []"), once("foo".to_string()).collect());
253-
assert_eq!(collect("var Foo; [Foo = class {}] = []"), once("Foo".to_string()).collect());
254-
assert_eq!(
255-
collect("var foo; ({ foo = function() {} } = {})"),
256-
once("foo".to_string()).collect()
313+
collect(function_only(), "var foo; ({ foo = function() {} } = {})"),
314+
data("foo")
257315
);
258316
}
259317

260318
#[test]
261319
fn test_for_in_declaration() {
262-
assert_eq!(
263-
collect("for (var foo = function() {} in []) {}"),
264-
once("foo".to_string()).collect()
265-
);
266-
assert_eq!(collect("for (var foo = () => {} in []) {}"), once("foo".to_string()).collect());
267-
assert_eq!(collect("for (var Foo = class {} in []) {}"), once("Foo".to_string()).collect());
320+
assert_eq!(collect(function_only(), "for (var foo = function() {} in []) {}"), data("foo"));
321+
assert_eq!(collect(function_only(), "for (var foo = () => {} in []) {}"), data("foo"));
322+
assert_eq!(collect(class_only(), "for (var Foo = class {} in []) {}"), data("Foo"));
268323
}
269324
}

crates/oxc_mangler/src/lib.rs

+37-7
Original file line numberDiff line numberDiff line change
@@ -2,26 +2,32 @@ use std::iter::{self, repeat_with};
22

33
use fixedbitset::FixedBitSet;
44
use itertools::Itertools;
5+
use keep_names::collect_name_symbols;
56
use rustc_hash::FxHashSet;
67

78
use base54::base54;
89
use oxc_allocator::{Allocator, Vec};
910
use oxc_ast::ast::{Declaration, Program, Statement};
1011
use oxc_data_structures::inline_string::InlineString;
1112
use oxc_index::Idx;
12-
use oxc_semantic::{Scoping, Semantic, SemanticBuilder, SymbolId};
13+
use oxc_semantic::{AstNodes, Scoping, Semantic, SemanticBuilder, SymbolId};
1314
use oxc_span::Atom;
1415

1516
pub(crate) mod base54;
1617
mod keep_names;
1718

19+
pub use keep_names::MangleOptionsKeepNames;
20+
1821
#[derive(Default, Debug, Clone, Copy)]
1922
pub struct MangleOptions {
2023
/// Pass true to mangle names declared in the top level scope.
2124
///
2225
/// Default: `false`
2326
pub top_level: bool,
2427

28+
/// Keep function / class names
29+
pub keep_names: MangleOptionsKeepNames,
30+
2531
/// Use more readable mangled names
2632
/// (e.g. `slot_0`, `slot_1`, `slot_2`, ...) for debugging.
2733
///
@@ -207,6 +213,8 @@ impl Mangler {
207213
} else {
208214
Default::default()
209215
};
216+
let (keep_name_names, keep_name_symbols) =
217+
Mangler::collect_keep_name_symbols(self.options.keep_names, &scoping, &ast_nodes);
210218

211219
let allocator = Allocator::default();
212220

@@ -226,6 +234,16 @@ impl Mangler {
226234
continue;
227235
}
228236

237+
// Sort `bindings` in declaration order.
238+
tmp_bindings.clear();
239+
tmp_bindings.extend(
240+
bindings.values().copied().filter(|binding| !keep_name_symbols.contains(binding)),
241+
);
242+
tmp_bindings.sort_unstable();
243+
if tmp_bindings.is_empty() {
244+
continue;
245+
}
246+
229247
let mut slot = slot_liveness.len();
230248

231249
reusable_slots.clear();
@@ -236,11 +254,11 @@ impl Mangler {
236254
.enumerate()
237255
.filter(|(_, slot_liveness)| !slot_liveness.contains(scope_id.index()))
238256
.map(|(slot, _)| slot)
239-
.take(bindings.len()),
257+
.take(tmp_bindings.len()),
240258
);
241259

242260
// The number of new slots that needs to be allocated.
243-
let remaining_count = bindings.len() - reusable_slots.len();
261+
let remaining_count = tmp_bindings.len() - reusable_slots.len();
244262
reusable_slots.extend(slot..slot + remaining_count);
245263

246264
slot += remaining_count;
@@ -249,10 +267,6 @@ impl Mangler {
249267
.resize_with(slot, || FixedBitSet::with_capacity(scoping.scopes_len()));
250268
}
251269

252-
// Sort `bindings` in declaration order.
253-
tmp_bindings.clear();
254-
tmp_bindings.extend(bindings.values().copied());
255-
tmp_bindings.sort_unstable();
256270
for (&symbol_id, assigned_slot) in
257271
tmp_bindings.iter().zip(reusable_slots.iter().copied())
258272
{
@@ -283,6 +297,7 @@ impl Mangler {
283297
let frequencies = self.tally_slot_frequencies(
284298
&scoping,
285299
&exported_symbols,
300+
&keep_name_symbols,
286301
total_number_of_slots,
287302
&slots,
288303
&allocator,
@@ -305,6 +320,8 @@ impl Mangler {
305320
&& !root_unresolved_references.contains_key(n)
306321
&& !(root_bindings.contains_key(n)
307322
&& (!self.options.top_level || exported_names.contains(n)))
323+
// TODO: only skip the names that are kept in the current scope
324+
&& !keep_name_names.contains(n)
308325
{
309326
break name;
310327
}
@@ -369,6 +386,7 @@ impl Mangler {
369386
&'a self,
370387
scoping: &Scoping,
371388
exported_symbols: &FxHashSet<SymbolId>,
389+
keep_name_symbols: &FxHashSet<SymbolId>,
372390
total_number_of_slots: usize,
373391
slots: &[Slot],
374392
allocator: &'a Allocator,
@@ -389,6 +407,9 @@ impl Mangler {
389407
if is_special_name(scoping.symbol_name(symbol_id)) {
390408
continue;
391409
}
410+
if keep_name_symbols.contains(&symbol_id) {
411+
continue;
412+
}
392413
let index = slot;
393414
frequencies[index].slot = slot;
394415
frequencies[index].frequency += scoping.get_resolved_reference_ids(symbol_id).len();
@@ -422,6 +443,15 @@ impl Mangler {
422443
.map(|id| (id.name, id.symbol_id()))
423444
.collect()
424445
}
446+
447+
fn collect_keep_name_symbols<'a>(
448+
keep_names: MangleOptionsKeepNames,
449+
scoping: &'a Scoping,
450+
nodes: &AstNodes,
451+
) -> (FxHashSet<&'a str>, FxHashSet<SymbolId>) {
452+
let ids = collect_name_symbols(keep_names, scoping, nodes);
453+
(ids.iter().map(|id| scoping.symbol_name(*id)).collect(), ids)
454+
}
425455
}
426456

427457
fn is_special_name(name: &str) -> bool {

0 commit comments

Comments
 (0)