Skip to content

Commit ce9eca8

Browse files
committed
Merge #259: Implement pruning
9121979 refactor: Remove unused error variant (Christian Lewe) 1e09f45 refactor: Remove manual pruning (Christian Lewe) 1130ebc refactor: Policy satisfier (Christian Lewe) 25e710e test: Correct pruning (Christian Lewe) 1e9f687 feat: Finalize witness nodes with(out) pruning (Christian Lewe) 16ed1c0 feat: Prune redeem node (Christian Lewe) e2049b9 feat: Track (un)used branches on Bit Machine (Christian Lewe) 083d680 feat: Execution Simplicity error (Christian Lewe) 4275c39 feat: Zero value (Christian Lewe) c61a282 feat: Prune values (Christian Lewe) b6e63d5 fix: Incorrect error variant (Christian Lewe) Pull request description: Implement full pruning by running programs on the Bit Machine and tracking (un)used branches. The unused branches are then removed from the program and types are adjusted. Witness data is also adjusted by removing unused bits. Fixes #84 ACKs for top commit: apoelstra: ACK 9121979; successfully ran local tests; sorry for the delay Tree-SHA512: f015e9f27655a2712767f1b247bbeb804006504b110ec1dd1ff45bcb4f7e697e089f4608cde3ca3d8f22c134a5ce71e75e891eb07312c43a9fceab01908932e8
2 parents 7f14121 + 9121979 commit ce9eca8

File tree

11 files changed

+915
-327
lines changed

11 files changed

+915
-327
lines changed

src/bit_machine/mod.rs

+92-4
Original file line numberDiff line numberDiff line change
@@ -8,14 +8,15 @@
88
99
mod frame;
1010

11+
use std::collections::HashSet;
1112
use std::error;
1213
use std::fmt;
1314
use std::sync::Arc;
1415

15-
use crate::analysis;
1616
use crate::jet::{Jet, JetFailed};
1717
use crate::node::{self, RedeemNode};
1818
use crate::types::Final;
19+
use crate::{analysis, Imr};
1920
use crate::{Cmr, FailEntropy, Value};
2021
use frame::Frame;
2122

@@ -204,13 +205,44 @@ impl BitMachine {
204205
Ok(())
205206
}
206207

207-
/// Execute the given program on the Bit Machine, using the given environment.
208+
/// Execute the given `program` on the Bit Machine, using the given environment.
208209
///
209-
/// Make sure the Bit Machine has enough space by constructing it via [`Self::for_program()`].
210-
pub fn exec<J: Jet + std::fmt::Debug>(
210+
/// ## Precondition
211+
///
212+
/// The Bit Machine is constructed via [`Self::for_program()`] to ensure enough space.
213+
pub fn exec<J: Jet>(
211214
&mut self,
212215
program: &RedeemNode<J>,
213216
env: &J::Environment,
217+
) -> Result<Value, ExecutionError> {
218+
self.exec_with_tracker(program, env, &mut NoTracker)
219+
}
220+
221+
/// Execute the given `program` on the Bit Machine and track executed case branches.
222+
///
223+
/// If the program runs successfully, then two sets of IMRs are returned:
224+
///
225+
/// 1) The IMRs of case nodes whose _left_ branch was executed.
226+
/// 2) The IMRs of case nodes whose _right_ branch was executed.
227+
///
228+
/// ## Precondition
229+
///
230+
/// The Bit Machine is constructed via [`Self::for_program()`] to ensure enough space.
231+
pub(crate) fn exec_prune<J: Jet>(
232+
&mut self,
233+
program: &RedeemNode<J>,
234+
env: &J::Environment,
235+
) -> Result<SetTracker, ExecutionError> {
236+
let mut tracker = SetTracker::default();
237+
self.exec_with_tracker(program, env, &mut tracker)?;
238+
Ok(tracker)
239+
}
240+
241+
fn exec_with_tracker<J: Jet, T: CaseTracker>(
242+
&mut self,
243+
program: &RedeemNode<J>,
244+
env: &J::Environment,
245+
tracker: &mut T,
214246
) -> Result<Value, ExecutionError> {
215247
enum CallStack<'a, J: Jet> {
216248
Goto(&'a RedeemNode<J>),
@@ -316,12 +348,14 @@ impl BitMachine {
316348
self.fwd(1 + a.pad_right(b));
317349
call_stack.push(CallStack::Back(1 + a.pad_right(b)));
318350
call_stack.push(CallStack::Goto(right));
351+
tracker.track_right(ip.imr());
319352
}
320353
(node::Inner::Case(left, _), false)
321354
| (node::Inner::AssertL(left, _), false) => {
322355
self.fwd(1 + a.pad_left(b));
323356
call_stack.push(CallStack::Back(1 + a.pad_left(b)));
324357
call_stack.push(CallStack::Goto(left));
358+
tracker.track_left(ip.imr());
325359
}
326360
(node::Inner::AssertL(_, r_cmr), true) => {
327361
return Err(ExecutionError::ReachedPrunedBranch(*r_cmr))
@@ -472,6 +506,60 @@ impl BitMachine {
472506
}
473507
}
474508

509+
/// A type that keeps track of which case branches were executed
510+
/// during the execution of the Bit Machine.
511+
///
512+
/// The trait is implemented for [`SetTracker`], which does the actual tracking,
513+
/// and it is implemented for [`NoTracker`], which is a dummy tracker that is
514+
/// optimized out by the compiler.
515+
///
516+
/// The trait enables us to turn tracking on or off depending on a generic parameter.
517+
trait CaseTracker {
518+
/// Track the execution of the left branch of the case node with the given `imr`.
519+
fn track_left(&mut self, imr: Imr);
520+
521+
/// Track the execution of the right branch of the case node with the given `imr`.
522+
fn track_right(&mut self, imr: Imr);
523+
}
524+
525+
/// Tracker of executed left and right branches for each case node.
526+
#[derive(Clone, Debug, Default)]
527+
pub(crate) struct SetTracker {
528+
left: HashSet<Imr>,
529+
right: HashSet<Imr>,
530+
}
531+
532+
impl SetTracker {
533+
/// Access the set of IMRs of case nodes whose left branch was executed.
534+
pub fn left(&self) -> &HashSet<Imr> {
535+
&self.left
536+
}
537+
538+
/// Access the set of IMRs of case nodes whose right branch was executed.
539+
pub fn right(&self) -> &HashSet<Imr> {
540+
&self.right
541+
}
542+
}
543+
544+
#[derive(Copy, Clone, Debug)]
545+
struct NoTracker;
546+
547+
impl CaseTracker for SetTracker {
548+
fn track_left(&mut self, imr: Imr) {
549+
self.left.insert(imr);
550+
}
551+
552+
fn track_right(&mut self, imr: Imr) {
553+
self.right.insert(imr);
554+
}
555+
}
556+
557+
impl CaseTracker for NoTracker {
558+
fn track_left(&mut self, _: Imr) {}
559+
560+
fn track_right(&mut self, _: Imr) {}
561+
}
562+
475563
/// Errors related to simplicity Execution
476564
#[derive(Debug)]
477565
pub enum ExecutionError {

src/human_encoding/mod.rs

+22-28
Original file line numberDiff line numberDiff line change
@@ -236,7 +236,7 @@ mod tests {
236236
.expect("Failed to parse human encoding")
237237
.to_witness_node(witness)
238238
.expect("Forest is missing expected root")
239-
.finalize()
239+
.finalize_pruned(env)
240240
.expect("Failed to finalize");
241241
let mut mac = BitMachine::for_program(&program);
242242
mac.exec(&program, env).expect("Failed to run program");
@@ -252,7 +252,7 @@ mod tests {
252252
.expect("Failed to parse human encoding")
253253
.to_witness_node(witness)
254254
.expect("Forest is missing expected root")
255-
.finalize()
255+
.finalize_pruned(env)
256256
{
257257
Ok(program) => program,
258258
Err(error) => {
@@ -268,7 +268,7 @@ mod tests {
268268
}
269269

270270
#[test]
271-
fn filled_witness() {
271+
fn executed_witness_with_value() {
272272
let s = "
273273
a := witness
274274
b := witness
@@ -293,7 +293,7 @@ mod tests {
293293
}
294294

295295
#[test]
296-
fn unfilled_witness() {
296+
fn executed_witness_without_value() {
297297
let witness = HashMap::from([(Arc::from("wit1"), Value::u32(1337))]);
298298
assert_finalize_err::<Core>(
299299
"
@@ -305,40 +305,34 @@ mod tests {
305305
",
306306
&witness,
307307
&(),
308-
"unable to satisfy program",
308+
"Jet failed during execution",
309309
);
310310
}
311311

312312
#[test]
313-
fn unfilled_witness_pruned() {
313+
fn pruned_witness_without_value() {
314314
let s = "
315-
wit1 := witness
316-
wit2 := witness
317-
main := comp (pair wit1 unit) case unit wit2
315+
wit1 := witness : 1 -> 2
316+
wit2 := witness : 1 -> 2^64
317+
input := pair wit1 unit : 1 -> 2 * 1
318+
process := case (drop injr unit) (drop comp wit2 jet_all_64) : 2 * 1 -> 2
319+
main := comp input comp process jet_verify : 1 -> 1
318320
";
319321
let wit2_is_pruned = HashMap::from([(Arc::from("wit1"), Value::u1(0))]);
320322
assert_finalize_ok::<Core>(s, &wit2_is_pruned, &());
321323

322324
let wit2_is_missing = HashMap::from([(Arc::from("wit1"), Value::u1(1))]);
323-
// FIXME The finalization should fail
324-
// This doesn't happen because we don't run the program,
325-
// so we cannot always determine which nodes must be pruned
326-
assert_finalize_err::<Core>(
327-
s,
328-
&wit2_is_missing,
329-
&(),
330-
"Execution reached a pruned branch: a0fc8debd6796917c86b77aded82e6c61649889ae8f2ed65b57b41aa9d90e375"
331-
);
325+
assert_finalize_err::<Core>(s, &wit2_is_missing, &(), "Jet failed during execution");
332326

333327
let wit2_is_present = HashMap::from([
334328
(Arc::from("wit1"), Value::u1(1)),
335-
(Arc::from("wit2"), Value::unit()),
329+
(Arc::from("wit2"), Value::u64(u64::MAX)),
336330
]);
337331
assert_finalize_ok::<Core>(s, &wit2_is_present, &());
338332
}
339333

340334
#[test]
341-
fn filled_hole() {
335+
fn executed_hole_with_value() {
342336
let empty = HashMap::new();
343337
assert_finalize_ok::<Core>(
344338
"
@@ -352,7 +346,7 @@ mod tests {
352346
}
353347

354348
#[test]
355-
fn unfilled_hole() {
349+
fn executed_hole_without_value() {
356350
let empty = HashMap::new();
357351
assert_finalize_err::<Core>(
358352
"
@@ -361,21 +355,21 @@ mod tests {
361355
",
362356
&empty,
363357
&(),
364-
"unable to satisfy program",
358+
"disconnect node had one child (redeem time); must have two",
365359
);
366360
}
367361

368362
#[test]
369363
fn witness_name_override() {
370364
let s = "
371-
wit1 := witness
372-
wit2 := wit1
373-
main := comp wit2 iden
365+
wit1 := witness : 1 -> 2
366+
wit2 := wit1 : 1 -> 2
367+
main := comp wit2 jet_verify : 1 -> 1
374368
";
375-
let wit1_populated = HashMap::from([(Arc::from("wit1"), Value::unit())]);
376-
assert_finalize_err::<Core>(s, &wit1_populated, &(), "unable to satisfy program");
369+
let wit1_populated = HashMap::from([(Arc::from("wit1"), Value::u1(1))]);
370+
assert_finalize_err::<Core>(s, &wit1_populated, &(), "Jet failed during execution");
377371

378-
let wit2_populated = HashMap::from([(Arc::from("wit2"), Value::unit())]);
372+
let wit2_populated = HashMap::from([(Arc::from("wit2"), Value::u1(1))]);
379373
assert_finalize_ok::<Core>(s, &wit2_populated, &());
380374
}
381375
}

src/human_encoding/parse/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -592,7 +592,7 @@ mod tests {
592592

593593
let program = main
594594
.to_witness_node(witness, &forest)
595-
.finalize()
595+
.finalize_unpruned()
596596
.expect("finalize");
597597

598598
let mut mac = BitMachine::for_program(&program);

src/lib.rs

+6-6
Original file line numberDiff line numberDiff line change
@@ -77,17 +77,17 @@ pub fn leaf_version() -> elements::taproot::LeafVersion {
7777
#[derive(Debug)]
7878
pub enum Error {
7979
/// Decoder error
80-
Decode(crate::decode::Error),
80+
Decode(decode::Error),
8181
/// A disconnect node was populated at commitment time
8282
DisconnectCommitTime,
8383
/// A disconnect node was *not* populated at redeem time
8484
DisconnectRedeemTime,
8585
/// Type-checking error
86-
Type(crate::types::Error),
86+
Type(types::Error),
87+
// Execution error
88+
Execution(bit_machine::ExecutionError),
8789
/// Witness iterator ended early
8890
NoMoreWitnesses,
89-
/// Finalization failed; did not have enough witness data to satisfy program.
90-
IncompleteFinalization,
9191
/// Tried to parse a jet but the name wasn't recognized
9292
InvalidJetName(String),
9393
/// Policy error
@@ -106,7 +106,7 @@ impl fmt::Display for Error {
106106
f.write_str("disconnect node had one child (redeem time); must have two")
107107
}
108108
Error::Type(ref e) => fmt::Display::fmt(e, f),
109-
Error::IncompleteFinalization => f.write_str("unable to satisfy program"),
109+
Error::Execution(ref e) => fmt::Display::fmt(e, f),
110110
Error::InvalidJetName(s) => write!(f, "unknown jet `{}`", s),
111111
Error::NoMoreWitnesses => f.write_str("no more witness data available"),
112112
#[cfg(feature = "elements")]
@@ -122,8 +122,8 @@ impl std::error::Error for Error {
122122
Error::DisconnectCommitTime => None,
123123
Error::DisconnectRedeemTime => None,
124124
Error::Type(ref e) => Some(e),
125+
Error::Execution(ref e) => Some(e),
125126
Error::NoMoreWitnesses => None,
126-
Error::IncompleteFinalization => None,
127127
Error::InvalidJetName(..) => None,
128128
#[cfg(feature = "elements")]
129129
Error::Policy(ref e) => Some(e),

src/node/convert.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -181,7 +181,7 @@ impl<W: Iterator<Item = Value>, J: Jet> Converter<Commit<J>, Redeem<J>> for Simp
181181
_: Option<&Arc<RedeemNode<J>>>,
182182
_: &NoDisconnect,
183183
) -> Result<Arc<RedeemNode<J>>, Self::Error> {
184-
Err(crate::Error::IncompleteFinalization)
184+
Err(crate::Error::DisconnectRedeemTime)
185185
}
186186

187187
fn convert_data(

src/node/display.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -148,7 +148,7 @@ mod tests {
148148
.unwrap()
149149
.to_witness_node(&empty_witness)
150150
.unwrap()
151-
.finalize()
151+
.finalize_unpruned()
152152
.unwrap()
153153
}
154154

0 commit comments

Comments
 (0)