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
| use rand_core::{RngCore, SeedableRng}; use rand_chacha::ChaCha20Rng; use generic_array::{GenericArray, typenum::U16}; use cipher::{BlockEncrypt, BlockDecrypt, KeyInit}; use aes::Aes256; use rand::{Rng, thread_rng, distributions::Uniform}; use std::time::{SystemTime, UNIX_EPOCH}; use std::fs::{self, File}; use std::io::{self, Write, Read};
fn main() -> io::Result<()> { let mut rng = ChaCha20Rng::from_entropy(); let mut random_bytes = [0u8; 16]; rng.fill_bytes(&mut random_bytes); println!("Random bytes: {:?}", random_bytes);
let mut chacha_rng = ChaCha20Rng::from_seed([0; 32]); let random_u32: u32 = chacha_rng.next_u32(); println!("Random u32 from ChaCha20: {}", random_u32);
let array: GenericArray<u8, U16> = GenericArray::default(); println!("GenericArray: {:?}", array);
let key = GenericArray::from_slice(&[0u8; 16]); let mut block = GenericArray::clone_from_slice(&[0u8; 16]); let cipher = Aes256::new(&key);
cipher.encrypt_block(&mut block); println!("Encrypted block: {:?}", block);
cipher.decrypt_block(&mut block); println!("Decrypted block: {:?}", block);
let random_number: u32 = thread_rng().gen(); println!("Random number from rand: {}", random_number);
let range = Uniform::new(0, 100); let random_in_range: u32 = thread_rng().sample(range); println!("Random number in range 0..100: {}", random_in_range);
let vec = vec![1, 2, 3, 4, 5]; let sum: i32 = vec.iter().sum(); println!("Sum of vector: {}", sum);
let mut sorted_vec = vec.clone(); sorted_vec.sort(); println!("Sorted vector: {:?}", sorted_vec);
let string = "hello, world!"; let uppercase = string.to_uppercase(); println!("Uppercase string: {}", uppercase);
let now = SystemTime::now(); let timestamp = now.duration_since(UNIX_EPOCH).expect("Time went backwards").as_secs(); println!("Current timestamp: {}", timestamp);
let mut file = File::create("example.txt")?; file.write_all(b"Hello, file!")?; println!("File created and written to.");
let mut file = File::open("example.txt")?; let mut contents = String::new(); file.read_to_string(&mut contents)?; println!("File contents: {}", contents);
fs::remove_file("example.txt")?; println!("File deleted.");
Ok(()) }
|