Skip to content

Commit c7f1371

Browse files
committedFeb 27, 2024
Merge BlockstreamResearch#207: Refactor exec_jec
44d20a9 Bit Machine: Refactor exec_jet (Christian Lewe) 8ea7e76 Frame: Make members private (Christian Lewe) 7bc2af4 Remove old FIXME (Christian Lewe) 4d07175 Value: Fix lifetime of error message (Christian Lewe) Pull request description: A small change that fits into no other PR. ACKs for top commit: apoelstra: ACK 44d20a9 Tree-SHA512: b4634c7c2d9199a3a9865ad6108f05cc015417e46c4e26dbb8ba92037b19689c496465e151b44008bfc8dd733a135fec5800e436318c29d0062edd96adafa430
2 parents f20a28c + 44d20a9 commit c7f1371

File tree

4 files changed

+122
-69
lines changed

4 files changed

+122
-69
lines changed
 

‎src/bit_machine/frame.rs

+14-4
Original file line numberDiff line numberDiff line change
@@ -16,11 +16,11 @@ pub(super) struct Frame {
1616
/// Current position of the cursor.
1717
/// For read frames, this is the next bit which is to be read.
1818
/// For write frames, this is the next bit which is to be (over)written.
19-
pub(super) cursor: usize,
19+
cursor: usize,
2020
/// Start index of this frame in the referenced data.
21-
pub(super) start: usize,
22-
/// The total length of this frame.
23-
pub(super) len: usize,
21+
start: usize,
22+
/// The total bit length of this frame.
23+
len: usize,
2424
}
2525

2626
impl Frame {
@@ -33,6 +33,16 @@ impl Frame {
3333
}
3434
}
3535

36+
/// Return the start index of the frame inside the referenced data.
37+
pub fn start(&self) -> usize {
38+
self.start
39+
}
40+
41+
/// Return the bit width of the frame.
42+
pub fn bit_width(&self) -> usize {
43+
self.len
44+
}
45+
3646
/// Reset the cursor to the start.
3747
pub(super) fn reset_cursor(&mut self) {
3848
self.cursor = self.start;

‎src/bit_machine/mod.rs

+107-55
Original file line numberDiff line numberDiff line change
@@ -8,15 +8,16 @@
88
99
mod frame;
1010

11+
use std::fmt;
12+
use std::sync::Arc;
13+
use std::{cmp, error};
14+
1115
use crate::analysis;
1216
use crate::dag::{DagLike, NoSharing};
1317
use crate::jet::{Jet, JetFailed};
1418
use crate::node::{self, RedeemNode};
1519
use crate::{Cmr, FailEntropy, Value};
1620
use frame::Frame;
17-
use std::fmt;
18-
use std::sync::Arc;
19-
use std::{cmp, error};
2021

2122
/// An execution context for a Simplicity program
2223
pub struct BitMachine {
@@ -85,8 +86,8 @@ impl BitMachine {
8586
/// Drop the active read frame
8687
fn drop_frame(&mut self) {
8788
let active_read_frame = self.read.pop().unwrap();
88-
self.next_frame_start -= active_read_frame.len;
89-
assert_eq!(self.next_frame_start, active_read_frame.start);
89+
self.next_frame_start -= active_read_frame.bit_width();
90+
assert_eq!(self.next_frame_start, active_read_frame.start());
9091
}
9192

9293
/// Write a single bit to the active write frame
@@ -177,6 +178,19 @@ impl BitMachine {
177178
}
178179
}
179180

181+
/// Return the bit width of the active read frame.
182+
fn active_read_bit_width(&self) -> usize {
183+
self.read.last().map(|frame| frame.bit_width()).unwrap_or(0)
184+
}
185+
186+
/// Return the bit width of the active write frame.
187+
fn active_write_bit_width(&self) -> usize {
188+
self.write
189+
.last()
190+
.map(|frame| frame.bit_width())
191+
.unwrap_or(0)
192+
}
193+
180194
/// Add a read frame with some given value in it, as input to the
181195
/// program
182196
pub fn input(&mut self, input: &Value) {
@@ -366,66 +380,104 @@ impl BitMachine {
366380
}
367381

368382
fn exec_jet<J: Jet>(&mut self, jet: J, env: &J::Environment) -> Result<(), JetFailed> {
369-
use simplicity_sys::c_jets::frame_ffi::{c_readBit, c_writeBit, CFrameItem};
370-
use simplicity_sys::c_jets::uword_width;
371-
use simplicity_sys::ffi::UWORD;
383+
use crate::ffi::c_jets::frame_ffi::{c_readBit, c_writeBit, CFrameItem};
384+
use crate::ffi::c_jets::uword_width;
385+
use crate::ffi::ffi::UWORD;
386+
387+
/// Create new C read frame that contains `bit_width` many bits from active read frame.
388+
///
389+
/// Return C read frame together with underlying buffer.
390+
///
391+
/// ## Safety
392+
///
393+
/// The returned frame must outlive its buffer or there is a dangling pointer.
394+
///
395+
/// ## Panics
396+
///
397+
/// Active read frame has fewer bits than `bit_width`.
398+
unsafe fn get_input_frame(
399+
mac: &mut BitMachine,
400+
bit_width: usize,
401+
) -> (CFrameItem, Vec<UWORD>) {
402+
assert!(bit_width <= mac.active_read_bit_width());
403+
let uword_width = uword_width(bit_width);
404+
let mut buffer = vec![0; uword_width];
405+
406+
// Copy bits from active read frame into input frame
407+
let buffer_end = buffer.as_mut_ptr().add(uword_width);
408+
let mut write_frame = CFrameItem::new_write(bit_width, buffer_end);
409+
for _ in 0..bit_width {
410+
let bit = mac.read_bit();
411+
c_writeBit(&mut write_frame, bit);
412+
}
413+
mac.back(bit_width);
372414

373-
// Sanity Check: This should never really fail, but still good to do
374-
if !simplicity_sys::c_jets::sanity_checks() {
375-
return Err(JetFailed);
415+
// Convert input frame into read frame
416+
let buffer_ptr = buffer.as_mut_ptr();
417+
let read_frame = CFrameItem::new_read(bit_width, buffer_ptr);
418+
419+
(read_frame, buffer)
376420
}
377-
let src_ty_bit_width = jet.source_ty().to_bit_width();
378-
let target_ty_bit_width = jet.target_ty().to_bit_width();
379-
380-
let a_frame_size = uword_width(src_ty_bit_width);
381-
let b_frame_size = uword_width(target_ty_bit_width);
382-
// a_frame_size + b_frame_size must be non-zero unless it is a unit to unit jet
383-
if a_frame_size == 0 && b_frame_size == 0 {
384-
return Ok(());
421+
422+
/// Create C write frame that is as wide as `bit_width`.
423+
///
424+
/// Return C write frame together with underlying buffer.
425+
///
426+
/// ## Safety
427+
///
428+
/// The returned frame must outlive its buffer or there is a dangling pointer.
429+
unsafe fn get_output_frame(bit_width: usize) -> (CFrameItem, Vec<UWORD>) {
430+
let uword_width = uword_width(bit_width);
431+
let mut buffer = vec![0; uword_width];
432+
433+
// Return output frame as write frame
434+
let buffer_end = buffer.as_mut_ptr().add(uword_width);
435+
let write_frame = CFrameItem::new_write(bit_width, buffer_end);
436+
437+
(write_frame, buffer)
385438
}
386-
let mut src_buf = vec![0 as UWORD; a_frame_size + b_frame_size];
387-
let src_ptr_end = unsafe { src_buf.as_mut_ptr().add(a_frame_size) }; // A frame write
388-
let src_ptr = src_buf.as_mut_ptr(); // A read frame at ptr start
389-
let dst_ptr_begin = unsafe { src_buf.as_mut_ptr().add(a_frame_size) }; // B read frame at ptr begin
390-
let dst_ptr_end = unsafe { src_buf.as_mut_ptr().add(a_frame_size + b_frame_size) }; // B write frame at ptr end
391-
392-
// For jet from type A -> B
393-
// Jets execution: There is single buffer with a_frame_size + b_frame_size UWORDs
394-
// ------[ A read frame ][ B write frame ]---
395-
// ^ src_ptr ^src_ptr_end(dst_ptr_begin) ^ dst_ptr_end
396-
// 1. Write into C bitmachine using A write frame(= src_ptr_end)
397-
// Precondition satisfied: src_ptr_end is one past the end of slice of UWORDs for A.
398-
let mut a_frame = unsafe { CFrameItem::new_write(src_ty_bit_width, src_ptr_end) };
399-
for _ in 0..src_ty_bit_width {
400-
let bit = self.read_bit();
401-
unsafe {
402-
c_writeBit(&mut a_frame, bit);
439+
440+
/// Write `bit_width` many bits from `buffer` into active write frame.
441+
///
442+
/// ## Panics
443+
///
444+
/// Active write frame has fewer bits than `bit_width`.
445+
///
446+
/// Buffer has fewer than bits than `bit_width` (converted to UWORDs).
447+
fn update_active_write_frame(mac: &mut BitMachine, bit_width: usize, buffer: &[UWORD]) {
448+
assert!(bit_width <= mac.active_write_bit_width());
449+
assert!(uword_width(bit_width) <= buffer.len());
450+
let buffer_ptr = buffer.as_ptr();
451+
let mut read_frame = unsafe { CFrameItem::new_read(bit_width, buffer_ptr) };
452+
453+
for _ in 0..bit_width {
454+
let bit = unsafe { c_readBit(&mut read_frame) };
455+
mac.write_bit(bit);
403456
}
404457
}
405-
self.back(src_ty_bit_width);
406-
407-
// 2. Execute the jet. src = A read frame, dst = B write frame
408-
// Precondition satisfied: src_ptr is the start of slice of UWORDs of A.
409-
let src_frame = unsafe { CFrameItem::new_read(src_ty_bit_width, src_ptr) };
410-
// Precondition satisfied: dst_ptr_end is one past the end of slice of UWORDs of B.
411-
let mut dst_frame = unsafe { CFrameItem::new_write(target_ty_bit_width, dst_ptr_end) };
412-
let jet_fn = jet.c_jet_ptr();
413-
let c_env = jet.c_jet_env(env);
414-
let res = jet_fn(&mut dst_frame, src_frame, c_env);
415458

416-
if !res {
459+
// Sanity Check: This should never really fail, but still good to do
460+
if !simplicity_sys::c_jets::sanity_checks() {
417461
return Err(JetFailed);
418462
}
419463

420-
// 3. Read the result from B read frame
421-
// Precondition satisfied: dst_ptr_begin is the start of slice of UWORDs of B.
422-
let mut b_frame = unsafe { CFrameItem::new_read(target_ty_bit_width, dst_ptr_begin) };
423-
// Read the value from b_frame
424-
for _ in 0..target_ty_bit_width {
425-
let bit = unsafe { c_readBit(&mut b_frame) };
426-
self.write_bit(bit);
464+
let input_width = jet.source_ty().to_bit_width();
465+
let output_width = jet.target_ty().to_bit_width();
466+
// Input buffer is implicitly referenced by input read frame!
467+
// Same goes for output buffer
468+
let (input_read_frame, _input_buffer) = unsafe { get_input_frame(self, input_width) };
469+
let (mut output_write_frame, output_buffer) = unsafe { get_output_frame(output_width) };
470+
471+
let jet_fn = jet.c_jet_ptr();
472+
let c_env = jet.c_jet_env(env);
473+
let success = jet_fn(&mut output_write_frame, input_read_frame, c_env);
474+
475+
if !success {
476+
Err(JetFailed)
477+
} else {
478+
update_active_write_frame(self, output_width, &output_buffer);
479+
Ok(())
427480
}
428-
Ok(())
429481
}
430482
}
431483

‎src/jet/elements/environment.rs

-9
Original file line numberDiff line numberDiff line change
@@ -36,15 +36,6 @@ impl From<elements::TxOut> for ElementsUtxo {
3636
/// # Note
3737
/// The order of `utxos` must be same as of the order of inputs in the
3838
/// transaction.
39-
// FIXME:
40-
// Ideally the `Arc<elements::Transaction>` would be a generic
41-
// `AsRef<elements::Transaction>` or something, but this is an associated type
42-
// for the `Extension` trait, and Rust will not let us have generic parameters
43-
// on associated types. (We could possibly add a parameter to the Extension
44-
// trait itself, but that would be messy and layer-violating.)
45-
//
46-
// Similar story if we tried to use a &'a elements::Transaction rather than
47-
// an Arc: we'd have a lifetime parameter <'a> that would cause us trouble.
4839
#[allow(dead_code)]
4940
pub struct ElementsEnv<T: Deref<Target = elements::Transaction>> {
5041
/// The CTxEnv struct

‎src/value.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -221,7 +221,7 @@ impl Value {
221221

222222
/// Encode value as big-endian byte string.
223223
/// Fails if underlying bit string has length not divisible by 8
224-
pub fn try_to_bytes(&self) -> Result<Vec<u8>, &str> {
224+
pub fn try_to_bytes(&self) -> Result<Vec<u8>, &'static str> {
225225
let (bytes, bit_length) = self.to_bytes_len();
226226

227227
if bit_length % 8 == 0 {

0 commit comments

Comments
 (0)
Please sign in to comment.