snarkvm_synthesizer_program/logic/command/
rand_chacha.rs1use crate::{FinalizeRegistersState, Opcode, Operand, StackTrait};
17use console::{
18 network::prelude::*,
19 program::{Literal, LiteralType, Plaintext, Register, Value},
20 types::{Address, Boolean, Field, Group, I8, I16, I32, I64, I128, Scalar, U8, U16, U32, U64, U128},
21};
22
23use rand::SeedableRng;
24
25pub const MAX_ADDITIONAL_SEEDS: usize = 2;
27
28#[derive(Clone, PartialEq, Eq, Hash)]
35pub struct RandChaCha<N: Network> {
36 operands: Vec<Operand<N>>,
38 destination: Register<N>,
40 destination_type: LiteralType,
42}
43
44impl<N: Network> RandChaCha<N> {
45 #[inline]
47 pub const fn opcode() -> Opcode {
48 Opcode::Command("rand.chacha")
49 }
50
51 #[inline]
53 pub fn operands(&self) -> &[Operand<N>] {
54 &self.operands
55 }
56
57 #[inline]
59 pub const fn destination(&self) -> &Register<N> {
60 &self.destination
61 }
62
63 #[inline]
65 pub const fn destination_type(&self) -> LiteralType {
66 self.destination_type
67 }
68
69 #[inline]
71 pub fn contains_external_struct(&self) -> bool {
72 false
73 }
74}
75
76impl<N: Network> RandChaCha<N> {
77 #[inline]
79 pub fn finalize(&self, stack: &impl StackTrait<N>, registers: &mut impl FinalizeRegistersState<N>) -> Result<()> {
80 if self.operands.len() > MAX_ADDITIONAL_SEEDS {
82 bail!("The number of operands must be <= {MAX_ADDITIONAL_SEEDS}")
83 }
84
85 let seeds: Vec<_> = self.operands.iter().map(|operand| registers.load(stack, operand)).try_collect()?;
87
88 let consensus_version = N::CONSENSUS_VERSION(registers.state().block_height())?;
92 let preimage = if (ConsensusVersion::V1..=ConsensusVersion::V2).contains(&consensus_version) {
93 to_bits_le![
94 registers.state().random_seed(),
95 **registers.transition_id(),
96 stack.program_id(),
97 registers.function_name(),
98 self.destination.locator(),
99 self.destination_type.type_id(),
100 seeds
101 ]
102 } else {
103 to_bits_le![
104 registers.state().random_seed(),
105 **registers.transition_id(),
106 stack.program_id(),
107 registers.function_name(),
108 registers.nonce(),
109 self.destination.locator(),
110 self.destination_type.type_id(),
111 seeds
112 ]
113 };
114
115 let digest = N::hash_bhp1024(&preimage)?.to_bytes_le()?;
117 ensure!(digest.len() == 32, "The digest for the ChaChaRng seed must be 32-bytes");
119
120 let mut chacha_seed = [0u8; 32];
122 chacha_seed.copy_from_slice(&digest[..32]);
123
124 let mut rng = rand_chacha::ChaCha20Rng::from_seed(chacha_seed);
126
127 let output = match self.destination_type {
129 LiteralType::Address => Literal::Address(Address::new(Group::rand(&mut rng))),
130 LiteralType::Boolean => Literal::Boolean(Boolean::rand(&mut rng)),
131 LiteralType::Field => Literal::Field(Field::rand(&mut rng)),
132 LiteralType::Group => Literal::Group(Group::rand(&mut rng)),
133 LiteralType::I8 => Literal::I8(I8::rand(&mut rng)),
134 LiteralType::I16 => Literal::I16(I16::rand(&mut rng)),
135 LiteralType::I32 => Literal::I32(I32::rand(&mut rng)),
136 LiteralType::I64 => Literal::I64(I64::rand(&mut rng)),
137 LiteralType::I128 => Literal::I128(I128::rand(&mut rng)),
138 LiteralType::U8 => Literal::U8(U8::rand(&mut rng)),
139 LiteralType::U16 => Literal::U16(U16::rand(&mut rng)),
140 LiteralType::U32 => Literal::U32(U32::rand(&mut rng)),
141 LiteralType::U64 => Literal::U64(U64::rand(&mut rng)),
142 LiteralType::U128 => Literal::U128(U128::rand(&mut rng)),
143 LiteralType::Scalar => Literal::Scalar(Scalar::rand(&mut rng)),
144 LiteralType::Signature => bail!("Cannot 'rand.chacha' into a 'signature'"),
145 LiteralType::String => bail!("Cannot 'rand.chacha' into a 'string'"),
146 };
147
148 registers.store(stack, &self.destination, Value::Plaintext(Plaintext::from(output)))
150 }
151}
152
153impl<N: Network> Parser for RandChaCha<N> {
154 #[inline]
156 fn parse(string: &str) -> ParserResult<Self> {
157 fn parse_operand<N: Network>(string: &str) -> ParserResult<Operand<N>> {
159 let (string, _) = Sanitizer::parse_whitespaces(string)?;
161 Operand::parse(string)
163 }
164
165 let (string, _) = Sanitizer::parse(string)?;
167 let (string, _) = tag(*Self::opcode())(string)?;
169 let (string, operands) = many0(parse_operand)(string)?;
171
172 let (string, _) = Sanitizer::parse_whitespaces(string)?;
174 let (string, _) = tag("into")(string)?;
176 let (string, _) = Sanitizer::parse_whitespaces(string)?;
178 let (string, destination) = Register::parse(string)?;
180 let (string, _) = Sanitizer::parse_whitespaces(string)?;
182 let (string, _) = tag("as")(string)?;
184 let (string, _) = Sanitizer::parse_whitespaces(string)?;
186 let (string, destination_type) = LiteralType::parse(string)?;
188
189 let (string, _) = Sanitizer::parse_whitespaces(string)?;
191 let (string, _) = tag(";")(string)?;
193
194 if destination_type == LiteralType::String {
196 return map_res(fail, |_: ParserResult<Self>| {
197 Err(error(format!("Failed to parse 'rand.chacha': '{destination_type}' is invalid")))
198 })(string);
199 }
200
201 match operands.len() <= MAX_ADDITIONAL_SEEDS {
202 true => Ok((string, Self { operands, destination, destination_type })),
203 false => map_res(fail, |_: ParserResult<Self>| {
204 Err(error("Failed to parse 'rand.chacha' opcode: too many operands"))
205 })(string),
206 }
207 }
208}
209
210impl<N: Network> FromStr for RandChaCha<N> {
211 type Err = Error;
212
213 #[inline]
215 fn from_str(string: &str) -> Result<Self> {
216 match Self::parse(string) {
217 Ok((remainder, object)) => {
218 ensure!(remainder.is_empty(), "Failed to parse string. Found invalid character in: \"{remainder}\"");
220 Ok(object)
222 }
223 Err(error) => bail!("Failed to parse string. {error}"),
224 }
225 }
226}
227
228impl<N: Network> Debug for RandChaCha<N> {
229 fn fmt(&self, f: &mut Formatter) -> fmt::Result {
231 Display::fmt(self, f)
232 }
233}
234
235impl<N: Network> Display for RandChaCha<N> {
236 fn fmt(&self, f: &mut Formatter) -> fmt::Result {
238 if self.operands.len() > MAX_ADDITIONAL_SEEDS {
240 return Err(fmt::Error);
241 }
242
243 write!(f, "{} ", Self::opcode())?;
245 self.operands.iter().try_for_each(|operand| write!(f, "{operand} "))?;
246 write!(f, "into {} as {};", self.destination, self.destination_type)
247 }
248}
249
250impl<N: Network> FromBytes for RandChaCha<N> {
251 fn read_le<R: Read>(mut reader: R) -> IoResult<Self> {
253 let num_operands = u8::read_le(&mut reader)? as usize;
255
256 if num_operands > MAX_ADDITIONAL_SEEDS {
258 return Err(error(format!("The number of operands must be <= {MAX_ADDITIONAL_SEEDS}")));
259 }
260
261 let mut operands = Vec::with_capacity(num_operands);
263 for _ in 0..num_operands {
265 operands.push(Operand::read_le(&mut reader)?);
266 }
267
268 let destination = Register::read_le(&mut reader)?;
270 let destination_type = LiteralType::read_le(&mut reader)?;
272
273 if destination_type == LiteralType::String {
275 return Err(error(format!("Failed to parse 'rand.chacha': '{destination_type}' is invalid")));
276 }
277
278 Ok(Self { operands, destination, destination_type })
280 }
281}
282
283impl<N: Network> ToBytes for RandChaCha<N> {
284 fn write_le<W: Write>(&self, mut writer: W) -> IoResult<()> {
286 if self.operands.len() > MAX_ADDITIONAL_SEEDS {
288 return Err(error(format!("The number of operands must be <= {MAX_ADDITIONAL_SEEDS}")));
289 }
290
291 u8::try_from(self.operands.len()).map_err(|e| error(e.to_string()))?.write_le(&mut writer)?;
293 self.operands.iter().try_for_each(|operand| operand.write_le(&mut writer))?;
295 self.destination.write_le(&mut writer)?;
297 self.destination_type.write_le(&mut writer)
299 }
300}
301
302#[cfg(test)]
303mod tests {
304 use super::*;
305 use console::{network::MainnetV0, program::Register};
306
307 type CurrentNetwork = MainnetV0;
308
309 fn valid_destination_types() -> &'static [LiteralType] {
310 &[
311 LiteralType::Address,
312 LiteralType::Boolean,
313 LiteralType::Field,
314 LiteralType::Group,
315 LiteralType::I8,
316 LiteralType::I16,
317 LiteralType::I32,
318 LiteralType::I64,
319 LiteralType::I128,
320 LiteralType::U8,
321 LiteralType::U16,
322 LiteralType::U32,
323 LiteralType::U64,
324 LiteralType::U128,
325 LiteralType::Scalar,
326 ]
327 }
328
329 #[test]
330 fn test_parse() {
331 for destination_type in valid_destination_types() {
332 let instruction = format!("rand.chacha into r1 as {destination_type};");
333 let (string, rand) = RandChaCha::<CurrentNetwork>::parse(&instruction).unwrap();
334 assert!(string.is_empty(), "Parser did not consume all of the string: '{string}'");
335 assert_eq!(rand.operands.len(), 0, "The number of operands is incorrect");
336 assert_eq!(rand.destination, Register::Locator(1), "The destination is incorrect");
337 assert_eq!(rand.destination_type, *destination_type, "The destination type is incorrect");
338
339 let instruction = format!("rand.chacha r0 into r1 as {destination_type};");
340 let (string, rand) = RandChaCha::<CurrentNetwork>::parse(&instruction).unwrap();
341 assert!(string.is_empty(), "Parser did not consume all of the string: '{string}'");
342 assert_eq!(rand.operands.len(), 1, "The number of operands is incorrect");
343 assert_eq!(rand.operands[0], Operand::Register(Register::Locator(0)), "The first operand is incorrect");
344 assert_eq!(rand.destination, Register::Locator(1), "The second operand is incorrect");
345 assert_eq!(rand.destination_type, *destination_type, "The destination type is incorrect");
346
347 let instruction = format!("rand.chacha r0 r1 into r2 as {destination_type};");
348 let (string, rand) = RandChaCha::<CurrentNetwork>::parse(&instruction).unwrap();
349 assert!(string.is_empty(), "Parser did not consume all of the string: '{string}'");
350 assert_eq!(rand.operands.len(), 2, "The number of operands is incorrect");
351 assert_eq!(rand.operands[0], Operand::Register(Register::Locator(0)), "The first operand is incorrect");
352 assert_eq!(rand.operands[1], Operand::Register(Register::Locator(1)), "The first operand is incorrect");
353 assert_eq!(rand.destination, Register::Locator(2), "The second operand is incorrect");
354 assert_eq!(rand.destination_type, *destination_type, "The destination type is incorrect");
355 }
356 }
357}