unluac 1.0.0

Multi-dialect Lua decompiler written in Rust.
Documentation
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
//! Dataflow 层的稳定事实与查询。
//!
//! 这里承接 low-IR + CFG + GraphFacts 推导出的 SSA-like / liveness / effect 事实。
//! 下游应通过这里提供的查询接口读取定义、phi 和 reaching/use 信息,而不是直接依赖
//! 这些事实在内存中的当前组织形状。

use std::collections::BTreeSet;
use std::ops::Range;

use crate::transformer::{InstrRef, Reg};

use super::cfg::{BlockRef, Cfg};
use super::storage::{CompactSet, CompactSetIter, RegValueMap, RegValueMapIter};

#[derive(Debug, Clone, PartialEq, Eq)]
pub(crate) enum ValueFactsStorage {
    Materialized {
        reaching_values: Vec<InstrReachingValues>,
        use_values: Vec<InstrUseValues>,
    },
    NoPhi,
}

/// 一个 proto 的数据流事实,以及它的子 proto 事实。
#[derive(Debug, Clone, PartialEq, Eq)]
pub struct DataflowFacts {
    pub instr_effects: Vec<InstrEffect>,
    pub effect_summaries: Vec<SideEffectSummary>,
    pub defs: Vec<Def>,
    pub open_defs: Vec<OpenDef>,
    pub instr_defs: Vec<Vec<DefId>>,
    pub reaching_defs: Vec<InstrReachingDefs>,
    pub use_defs: Vec<InstrUseDefs>,
    pub def_uses: Vec<Vec<UseSite>>,
    pub open_reaching_defs: Vec<BTreeSet<OpenDefId>>,
    pub open_use_defs: Vec<BTreeSet<OpenDefId>>,
    pub open_def_uses: Vec<Vec<OpenUseSite>>,
    pub live_in: Vec<BTreeSet<Reg>>,
    pub live_out: Vec<BTreeSet<Reg>>,
    pub open_live_in: Vec<bool>,
    pub open_live_out: Vec<bool>,
    pub phi_candidates: Vec<PhiCandidate>,
    pub(crate) phi_block_ranges: Vec<Range<usize>>,
    pub(crate) value_facts: ValueFactsStorage,
    pub children: Vec<DataflowFacts>,
}

#[derive(Debug, Clone, Copy)]
pub enum ValueMapRef<'a> {
    Materialized(&'a RegValueMap<SsaValue>),
    DefBacked(&'a RegValueMap<DefId>),
}

impl<'a> ValueMapRef<'a> {
    pub fn get(self, reg: Reg) -> Option<ValueSetRef<'a>> {
        match self {
            Self::Materialized(map) => map.get(reg).map(ValueSetRef::Materialized),
            Self::DefBacked(map) => map.get(reg).map(ValueSetRef::DefBacked),
        }
    }

    pub fn iter(self) -> ValueMapIter<'a> {
        match self {
            Self::Materialized(map) => ValueMapIter::Materialized(map.iter()),
            Self::DefBacked(map) => ValueMapIter::DefBacked(map.iter()),
        }
    }

    pub fn values(self) -> ValueMapValuesIter<'a> {
        ValueMapValuesIter { inner: self.iter() }
    }
}

pub struct ValueMapValuesIter<'a> {
    inner: ValueMapIter<'a>,
}

impl<'a> Iterator for ValueMapValuesIter<'a> {
    type Item = ValueSetRef<'a>;

    fn next(&mut self) -> Option<Self::Item> {
        self.inner.next().map(|(_, values)| values)
    }
}

pub enum ValueMapIter<'a> {
    Materialized(RegValueMapIter<'a, SsaValue>),
    DefBacked(RegValueMapIter<'a, DefId>),
}

impl<'a> Iterator for ValueMapIter<'a> {
    type Item = (Reg, ValueSetRef<'a>);

    fn next(&mut self) -> Option<Self::Item> {
        match self {
            Self::Materialized(iter) => iter
                .next()
                .map(|(reg, values)| (reg, ValueSetRef::Materialized(values))),
            Self::DefBacked(iter) => iter
                .next()
                .map(|(reg, values)| (reg, ValueSetRef::DefBacked(values))),
        }
    }
}

#[derive(Debug, Clone, Copy)]
pub enum ValueSetRef<'a> {
    Materialized(&'a CompactSet<SsaValue>),
    DefBacked(&'a CompactSet<DefId>),
}

impl<'a> ValueSetRef<'a> {
    pub fn is_empty(self) -> bool {
        match self {
            Self::Materialized(values) => values.is_empty(),
            Self::DefBacked(values) => values.is_empty(),
        }
    }

    pub fn len(self) -> usize {
        match self {
            Self::Materialized(values) => values.len(),
            Self::DefBacked(values) => values.len(),
        }
    }

    pub fn contains(self, needle: &SsaValue) -> bool {
        match (self, needle) {
            (Self::Materialized(values), _) => values.contains(needle),
            (Self::DefBacked(values), SsaValue::Def(def_id)) => values.contains(def_id),
            (Self::DefBacked(_), SsaValue::Phi(_)) => false,
        }
    }

    pub fn iter(self) -> ValueSetIter<'a> {
        match self {
            Self::Materialized(values) => ValueSetIter::Materialized(values.iter()),
            Self::DefBacked(values) => ValueSetIter::DefBacked(values.iter()),
        }
    }

    pub fn to_compact_set(self) -> CompactSet<SsaValue> {
        match self {
            Self::Materialized(values) => values.clone(),
            Self::DefBacked(values) => match values {
                CompactSet::Empty => CompactSet::Empty,
                CompactSet::One(def_id) => CompactSet::singleton(SsaValue::Def(*def_id)),
                CompactSet::Many(def_ids) => {
                    CompactSet::Many(def_ids.iter().copied().map(SsaValue::Def).collect())
                }
            },
        }
    }
}

pub enum ValueSetIter<'a> {
    Materialized(CompactSetIter<'a, SsaValue>),
    DefBacked(CompactSetIter<'a, DefId>),
}

impl<'a> Iterator for ValueSetIter<'a> {
    type Item = SsaValue;

    fn next(&mut self) -> Option<Self::Item> {
        match self {
            Self::Materialized(iter) => iter.next().copied(),
            Self::DefBacked(iter) => iter.next().copied().map(SsaValue::Def),
        }
    }
}

impl DataflowFacts {
    pub fn reaching_defs_at(&self, instr: InstrRef) -> &InstrReachingDefs {
        self.reaching_defs
            .get(instr.index())
            .expect("dataflow should have a reaching-def snapshot for every instruction")
    }

    pub fn reaching_values_at(&self, instr: InstrRef) -> ValueMapRef<'_> {
        match &self.value_facts {
            ValueFactsStorage::Materialized {
                reaching_values, ..
            } => {
                let values = reaching_values
                    .get(instr.index())
                    .expect("dataflow should have a reaching-value snapshot for every instruction");
                ValueMapRef::Materialized(&values.fixed)
            }
            ValueFactsStorage::NoPhi => {
                let defs = self
                    .reaching_defs
                    .get(instr.index())
                    .expect("dataflow should have a reaching-def snapshot for every instruction");
                ValueMapRef::DefBacked(&defs.fixed)
            }
        }
    }

    pub fn use_defs_at(&self, instr: InstrRef) -> &InstrUseDefs {
        self.use_defs
            .get(instr.index())
            .expect("dataflow should have a use-def summary for every instruction")
    }

    pub fn use_values_at(&self, instr: InstrRef) -> ValueMapRef<'_> {
        match &self.value_facts {
            ValueFactsStorage::Materialized { use_values, .. } => {
                let values = use_values
                    .get(instr.index())
                    .expect("dataflow should have a use-value summary for every instruction");
                ValueMapRef::Materialized(&values.fixed)
            }
            ValueFactsStorage::NoPhi => {
                let defs = self
                    .use_defs
                    .get(instr.index())
                    .expect("dataflow should have a use-def summary for every instruction");
                ValueMapRef::DefBacked(&defs.fixed)
            }
        }
    }

    pub fn open_reaching_defs_at(&self, instr: InstrRef) -> &BTreeSet<OpenDefId> {
        self.open_reaching_defs
            .get(instr.index())
            .expect("dataflow should have an open-def snapshot for every instruction")
    }

    pub fn open_use_defs_at(&self, instr: InstrRef) -> &BTreeSet<OpenDefId> {
        self.open_use_defs
            .get(instr.index())
            .expect("dataflow should have an open-def use summary for every instruction")
    }

    pub fn live_in_regs(&self, block: BlockRef) -> &BTreeSet<Reg> {
        self.live_in
            .get(block.index())
            .expect("dataflow should have a live-in set for every block")
    }

    pub fn live_out_regs(&self, block: BlockRef) -> &BTreeSet<Reg> {
        self.live_out
            .get(block.index())
            .expect("dataflow should have a live-out set for every block")
    }

    pub fn block_open_live_in(&self, block: BlockRef) -> bool {
        self.open_live_in
            .get(block.index())
            .copied()
            .expect("dataflow should have an open-live-in flag for every block")
    }

    pub fn block_open_live_out(&self, block: BlockRef) -> bool {
        self.open_live_out
            .get(block.index())
            .copied()
            .expect("dataflow should have an open-live-out flag for every block")
    }

    pub fn phi_candidate(&self, phi_id: PhiId) -> Option<&PhiCandidate> {
        self.phi_candidates.get(phi_id.index())
    }

    pub fn phi_candidates_in_block(&self, block: BlockRef) -> &[PhiCandidate] {
        let Some(range) = self.phi_block_ranges.get(block.index()) else {
            return &[];
        };

        &self.phi_candidates[range.clone()]
    }

    pub fn phi_candidate_for_reg(&self, block: BlockRef, reg: Reg) -> Option<&PhiCandidate> {
        self.phi_candidates_in_block(block)
            .iter()
            .find(|phi| phi.reg == reg)
    }

    pub fn phi_use_count(&self, phi_id: PhiId) -> usize {
        if self.phi_candidates.is_empty() {
            return 0;
        }

        (0..self.use_defs.len())
            .map(|instr_index| self.use_values_at(InstrRef(instr_index)))
            .flat_map(ValueMapRef::values)
            .filter(|values| values.contains(&SsaValue::Phi(phi_id)))
            .count()
    }

    pub fn def_reg(&self, def_id: DefId) -> Reg {
        self.defs
            .get(def_id.index())
            .map(|def| def.reg)
            .expect("dataflow should have a def record for every def id")
    }

    pub fn def_block(&self, def_id: DefId) -> BlockRef {
        self.defs
            .get(def_id.index())
            .map(|def| def.block)
            .expect("dataflow should have a def record for every def id")
    }

    pub fn def_instr(&self, def_id: DefId) -> InstrRef {
        self.defs
            .get(def_id.index())
            .map(|def| def.instr)
            .expect("dataflow should have a def record for every def id")
    }

    pub fn instr_def_for_reg(&self, instr: InstrRef, reg: Reg) -> Option<DefId> {
        self.instr_defs
            .get(instr.index())?
            .iter()
            .copied()
            .find(|def_id| self.def_reg(*def_id) == reg)
    }

    pub fn latest_local_def_in_block(
        &self,
        block: BlockRef,
        defs: impl IntoIterator<Item = DefId>,
    ) -> Option<DefId> {
        defs.into_iter()
            .filter(|def_id| self.def_block(*def_id) == block)
            .max_by_key(|def_id| self.def_instr(*def_id).index())
    }

    pub fn phi_used_only_in_block(&self, cfg: &Cfg, phi_id: PhiId, block: BlockRef) -> bool {
        if self.phi_candidates.is_empty() {
            return false;
        }

        let mut saw_use = false;

        for instr_index in 0..self.use_defs.len() {
            let used_here = self
                .use_values_at(InstrRef(instr_index))
                .values()
                .any(|values| values.contains(&SsaValue::Phi(phi_id)));
            if !used_here {
                continue;
            }

            saw_use = true;
            if cfg.instr_to_block[instr_index] != block {
                return false;
            }
        }

        saw_use
    }
}

/// 一条 low-IR 指令在数据流层的固定/开放读写摘要。
#[derive(Debug, Clone, PartialEq, Eq, Default)]
pub struct InstrEffect {
    pub fixed_uses: BTreeSet<Reg>,
    pub fixed_must_defs: BTreeSet<Reg>,
    pub fixed_may_defs: BTreeSet<Reg>,
    pub open_use: Option<Reg>,
    pub open_must_def: Option<Reg>,
    pub open_may_def: Option<Reg>,
}

/// 一条指令的副作用摘要。
#[derive(Debug, Clone, PartialEq, Eq, Default)]
pub struct SideEffectSummary {
    pub tags: BTreeSet<EffectTag>,
}

/// 当前阶段关心的副作用标签。
#[derive(Debug, Clone, Copy, Eq, PartialEq, Ord, PartialOrd, Hash)]
pub enum EffectTag {
    Alloc,
    ReadTable,
    WriteTable,
    ReadEnv,
    WriteEnv,
    ReadUpvalue,
    WriteUpvalue,
    Call,
    Close,
}

/// 一个固定寄存器定义的唯一身份。
#[derive(Debug, Clone, Copy, Eq, PartialEq, Ord, PartialOrd, Hash)]
pub struct DefId(pub usize);

impl DefId {
    pub const fn index(self) -> usize {
        self.0
    }
}

/// 一个开放结果包定义的唯一身份。
#[derive(Debug, Clone, Copy, Eq, PartialEq, Ord, PartialOrd, Hash)]
pub struct OpenDefId(pub usize);

impl OpenDefId {
    pub const fn index(self) -> usize {
        self.0
    }
}

/// 一个固定寄存器定义实例。
#[derive(Debug, Clone, Copy, Eq, PartialEq, Hash)]
pub struct Def {
    pub id: DefId,
    pub reg: Reg,
    pub instr: InstrRef,
    pub block: BlockRef,
}

/// 一个开放结果包定义实例。
#[derive(Debug, Clone, Copy, Eq, PartialEq, Hash)]
pub struct OpenDef {
    pub id: OpenDefId,
    pub start_reg: Reg,
    pub instr: InstrRef,
    pub block: BlockRef,
}

/// 一条指令在执行前可见的 reaching defs。
#[derive(Debug, Clone, PartialEq, Eq, Default)]
pub struct InstrReachingDefs {
    pub fixed: RegValueMap<DefId>,
}

/// 一条指令真实 use 对应到哪些定义。
#[derive(Debug, Clone, PartialEq, Eq, Default)]
pub struct InstrUseDefs {
    pub fixed: RegValueMap<DefId>,
    pub open: BTreeSet<OpenDefId>,
}

/// 一条指令在执行前可见的 SSA-like 值身份。
///
/// `reaching_defs` 保留底层真实 `DefId` 证据,这里则负责把 block 入口已经确认的
/// phi 合流替换成稳定的 `SsaValue::Phi`,供 HIR 之类的后续层直接消费。
#[derive(Debug, Clone, PartialEq, Eq, Default)]
pub struct InstrReachingValues {
    pub fixed: RegValueMap<SsaValue>,
}

/// 一条指令真实 use 对应到哪些 SSA-like 值身份。
#[derive(Debug, Clone, PartialEq, Eq, Default)]
pub struct InstrUseValues {
    pub fixed: RegValueMap<SsaValue>,
}

/// 一个固定定义被使用的位置。
#[derive(Debug, Clone, Copy, Eq, PartialEq, Hash)]
pub struct UseSite {
    pub instr: InstrRef,
    pub reg: Reg,
}

/// 一个开放定义被消费的位置。
#[derive(Debug, Clone, Copy, Eq, PartialEq, Hash)]
pub struct OpenUseSite {
    pub instr: InstrRef,
    pub start_reg: Reg,
}

/// 一个 SSA-like phi 候选。
#[derive(Debug, Clone, PartialEq, Eq)]
pub struct PhiCandidate {
    pub id: PhiId,
    pub block: BlockRef,
    pub reg: Reg,
    pub incoming: Vec<PhiIncoming>,
}

/// 一个 phi 候选的稳定身份。
#[derive(Debug, Clone, Copy, Eq, PartialEq, Ord, PartialOrd, Hash)]
pub struct PhiId(pub usize);

impl PhiId {
    pub const fn index(self) -> usize {
        self.0
    }
}

/// 一个 predecessor 边给 phi 提供的候选版本。
#[derive(Debug, Clone, Eq, PartialEq, Hash)]
pub struct PhiIncoming {
    pub pred: BlockRef,
    pub defs: BTreeSet<DefId>,
}

/// 一个寄存器值在 SSA-like 视图里的稳定身份。
///
/// 这里区分“真实 low-IR 定义”和“block 入口合流出的 phi 值”,是为了让后续层
/// 不用重复从 `use_defs = {def_a, def_b}` 里反推“其实这是同一个 merge 后的值”。
#[derive(Debug, Clone, Copy, Eq, PartialEq, Ord, PartialOrd, Hash)]
pub enum SsaValue {
    Def(DefId),
    Phi(PhiId),
}