wolf_crypto/aead/chacha20_poly1305.rs
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 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313
//! The `ChaCha20Poly1305` Authenticated Encryption with Associated Data (AEAD).
//!
//! This module offers both one-shot encryption/decryption functions and a stateful API that can be
//! used to perform streaming encryption/decryption with optional associated data (AAD). The
//! stateful API ensures correct usage through a compile-time state machine.
//!
//! # Examples
//!
//! Using the one-shot encryption function:
//!
//! ```rust
//! use wolf_crypto::aead::chacha20_poly1305::{encrypt, decrypt_in_place, Key};
//!
//! # fn main() -> Result<(), wolf_crypto::Unspecified> {
//! let key = Key::new([0u8; 32]);
//! let iv = [0u8; 12];
//! let plaintext = b"Secret message";
//! let mut ciphertext = [0u8; 14];
//!
//! let tag = encrypt(key.as_ref(), &iv, plaintext, &mut ciphertext, ())?;
//! decrypt_in_place(key, iv, &mut ciphertext, (), tag)?;
//!
//! assert_eq!(ciphertext, *plaintext);
//! # Ok(()) }
//! ```
//!
//! Using the stateful API:
//!
//! ```rust
//! use wolf_crypto::{aead::ChaCha20Poly1305, MakeOpaque};
//! use wolf_crypto::mac::poly1305::Key;
//!
//! # fn main() -> Result<(), wolf_crypto::Unspecified> {
//! let plaintext = b"Secret message";
//! let aad = "Additional data";
//! let mut ciphertext = [0u8; 14];
//!
//! let tag = ChaCha20Poly1305::new_encrypt(Key::new([7u8; 32]), [7u8; 12])
//! .set_aad(aad).opaque()?
//! .update(plaintext, &mut ciphertext).opaque()?
//! .finalize().opaque()?;
//!
//! let d_tag = ChaCha20Poly1305::new_decrypt(Key::new([7u8; 32]), [7u8; 12])
//! .update_aad("Additional ")
//! .opaque_bind(|aead| aead.update_aad("data"))
//! .opaque_bind(|aead| aead.update_in_place(&mut ciphertext))
//! .opaque_bind(|aead| aead.finalize())?;
//!
//! assert_eq!(tag, d_tag);
//! assert_eq!(ciphertext, *plaintext);
//! # Ok(())}
//! ```
pub mod states;
use wolf_crypto_sys::{
ChaChaPoly_Aead,
wc_ChaCha20Poly1305_UpdateData, wc_ChaCha20Poly1305_UpdateAad,
wc_ChaCha20Poly1305_Init, wc_ChaCha20Poly1305_Final,
wc_ChaCha20Poly1305_Decrypt, wc_ChaCha20Poly1305_Encrypt,
CHACHA20_POLY1305_AEAD_DECRYPT, CHACHA20_POLY1305_AEAD_ENCRYPT,
};
#[cfg(feature = "llvm-assume")]
use wolf_crypto_sys::{
CHACHA20_POLY1305_STATE_READY, CHACHA20_POLY1305_STATE_AAD, CHACHA20_POLY1305_STATE_DATA,
byte
};
use states::{
State, Init, CanUpdate, CanSetAad, CanUpdateAad,
Updating, UpdatingAad,
EncryptMaybeAad, DecryptMaybeAad,
EncryptAad, DecryptAad,
};
#[doc(inline)]
pub use states::{Decrypt, Encrypt};
use core::mem::MaybeUninit;
use core::marker::PhantomData;
use core::ptr::addr_of_mut;
use crate::aead::{Aad, Tag};
use crate::buf::{GenericIv, U12};
use crate::mac::poly1305::GenericKey;
use crate::opaque_res::Res;
use crate::{can_cast_u32, const_can_cast_u32, Unspecified};
#[doc(inline)]
pub use crate::mac::poly1305::{Key, KeyRef};
opaque_dbg! { ChaCha20Poly1305<Init> }
opaque_dbg! { ChaCha20Poly1305<EncryptMaybeAad> }
opaque_dbg! { ChaCha20Poly1305<DecryptMaybeAad> }
opaque_dbg! { ChaCha20Poly1305<EncryptAad> }
opaque_dbg! { ChaCha20Poly1305<DecryptAad> }
opaque_dbg! { ChaCha20Poly1305<Encrypt> }
opaque_dbg! { ChaCha20Poly1305<Decrypt> }
#[inline(always)]
#[must_use]
fn oneshot_predicate<A: Aad>(plain: &[u8], out: &[u8], aad: &A) -> bool {
can_cast_u32(plain.len()) && out.len() >= plain.len() && aad.is_valid_size()
}
/// Encrypts data using the `ChaCha20Poly1305` AEAD.
///
/// # Arguments
///
/// * `key` - The 32-byte key material.
/// * `iv` - The 12-byte initialization vector.
/// * `plain` - The plaintext data to encrypt.
/// * `out` - The buffer to store the resulting ciphertext. The buffer must be at least as large
/// as `plain`.
/// * `aad` - The associated data, which is authenticated but not encrypted.
///
/// # Returns
///
/// The authentication [`Tag`] for the ciphertext, used to verify the integrity and authenticity
/// of the data during decryption.
///
/// # Errors
///
/// - The length of the plaintext is greater than [`u32::MAX`].
/// - The length of the output buffer is less than the plaintext length.
/// - The length of the associated data is greater than [`u32::MAX`].
///
/// # Example
///
/// ```
/// use wolf_crypto::{aead::chacha20_poly1305::encrypt, mac::poly1305::Key};
///
/// let mut out = [0u8; 12];
///
/// let tag = encrypt(
/// Key::new([7u8; 32]), [42u8; 12],
/// b"hello world!", &mut out,
/// "Some additional data"
/// ).unwrap();
///
/// assert_ne!(&out, b"hello world!");
/// # let _ = tag;
/// ```
pub fn encrypt<K, IV, A>(
key: K, iv: IV,
plain: &[u8], out: &mut [u8],
aad: A
) -> Result<Tag, Unspecified>
where
K: GenericKey,
IV: GenericIv<Size = U12>,
A: Aad
{
if !oneshot_predicate(plain, out, &aad) { return Err(Unspecified) }
let mut res = Res::new();
let mut tag = Tag::new_zeroed();
unsafe {
res.ensure_0(wc_ChaCha20Poly1305_Encrypt(
key.ptr(),
iv.as_slice().as_ptr(),
aad.ptr(),
aad.size(),
plain.as_ptr(),
plain.len() as u32,
out.as_mut_ptr(),
tag.as_mut_ptr()
));
}
res.unit_err(tag)
}
/// Encrypts data in-place using the `ChaCha20Poly1305` AEAD.
///
/// # Arguments
///
/// * `key` - The 32-byte key material.
/// * `iv` - The 12-byte initialization vector.
/// * `in_out` - A mutable buffer containing the plaintext, which is overwritten with the ciphertext.
/// * `aad` - The associated data, which is authenticated but not encrypted.
///
/// # Returns
///
/// The authentication [`Tag`] for the ciphertext, used to verify the integrity and authenticity
/// of the data during decryption.
///
/// # Errors
///
/// - The length of the plaintext is greater than [`u32::MAX`].
/// - The length of the associated data is greater than [`u32::MAX`].
///
/// # Example
///
/// ```
/// use wolf_crypto::aead::chacha20_poly1305::{encrypt_in_place, Key};
///
/// let mut in_out = *b"Hello, world!";
/// let tag = encrypt_in_place(Key::new([7u8; 32]), [42u8; 12], &mut in_out, "additional").unwrap();
///
/// assert_ne!(&in_out, b"Hello, world!");
/// # let _ = tag;
/// ```
pub fn encrypt_in_place<K, IV, A>(key: K, iv: IV, in_out: &mut [u8], aad: A) -> Result<Tag, Unspecified>
where
K: GenericKey,
IV: GenericIv<Size = U12>,
A: Aad
{
if !(can_cast_u32(in_out.len()) && aad.is_valid_size()) { return Err(Unspecified) }
let mut res = Res::new();
let mut tag = Tag::new_zeroed();
unsafe {
res.ensure_0(wc_ChaCha20Poly1305_Encrypt(
key.ptr(),
iv.as_slice().as_ptr(),
aad.ptr(),
aad.size(),
in_out.as_ptr(),
in_out.len() as u32,
in_out.as_ptr().cast_mut(),
tag.as_mut_ptr()
));
}
res.unit_err(tag)
}
/// Decrypts data using the `ChaCha20Poly1305` AEAD.
///
/// # Arguments
///
/// * `key` - The 32-byte key material.
/// * `iv` - The 12-byte initialization vector.
/// * `cipher` - The ciphertext to decrypt.
/// * `out` - The buffer to store the resulting plaintext. The buffer must be at least as large as
/// `cipher`.
/// * `aad` - The associated data, which is authenticated but not encrypted.
/// * `tag` - The authentication tag to verify.
///
/// # Errors
///
/// - The length of the ciphertext is greater than [`u32::MAX`].
/// - The length of the output buffer is less than the plaintext length.
/// - The length of the associated data is greater than [`u32::MAX`].
/// - The verification of the authentication tag failed, indicating tampering.
///
/// # Example
///
/// ```
/// use wolf_crypto::aead::chacha20_poly1305::{encrypt_in_place, decrypt, Key};
///
/// let (key, iv, mut cipher) = (Key::new([7u8; 32]), [42u8; 12], *b"plaintext");
/// let tag = encrypt_in_place(key.as_ref(), &iv, &mut cipher, "additional data").unwrap();
///
/// let mut plain = [0u8; 9];
/// decrypt(key, iv, &cipher, &mut plain, "additional data", tag).unwrap();
///
/// assert_eq!(plain, *b"plaintext");
/// ```
pub fn decrypt<K, IV, A>(
key: K, iv: IV,
cipher: &[u8], out: &mut [u8],
aad: A, tag: Tag
) -> Result<(), Unspecified>
where
K: GenericKey,
IV: GenericIv<Size = U12>,
A: Aad
{
if !oneshot_predicate(cipher, out, &aad) { return Err(Unspecified) }
let mut res = Res::new();
unsafe {
res.ensure_0(wc_ChaCha20Poly1305_Decrypt(
key.ptr(),
iv.as_slice().as_ptr(),
aad.ptr(),
aad.size(),
cipher.as_ptr(),
cipher.len() as u32,
tag.as_ptr(),
out.as_mut_ptr()
));
}
res.unit_err(())
}
/// Decrypts data in-place using the `ChaCha20Poly1305` AEAD.
///
/// # Arguments
///
/// * `key` - The 32-byte key material.
/// * `iv` - The 12-byte initialization vector.
/// * `in_out` - A mutable buffer containing the ciphertext, which is overwritten with the plaintext.
/// * `aad` - The associated data, which is authenticated but not encrypted.
/// * `tag` - The authentication tag to verify.
///
/// # Errors
///
/// - The length of the ciphertext is greater than [`u32::MAX`].
/// - The length of the associated data is greater than [`u32::MAX`].
/// - The verification of the authentication tag failed, indicating tampering.
///
/// # Example
///
/// ```
/// use wolf_crypto::aead::chacha20_poly1305::{encrypt_in_place, decrypt_in_place, Key};
///
/// let (key, iv, mut in_out) = (Key::new([7u8; 32]), [42u8; 12], *b"plaintext");
/// let tag = encrypt_in_place(key.as_ref(), &iv, &mut in_out, "additional data").unwrap();
///
/// decrypt_in_place(key, iv, &mut in_out, "additional data", tag).unwrap();
///
/// assert_eq!(in_out, *b"plaintext");
/// ```
pub fn decrypt_in_place<K, IV, A>(
key: K, iv: IV,
in_out: &mut [u8],
aad: A, tag: Tag
) -> Result<(), Unspecified>
where
K: GenericKey,
IV: GenericIv<Size = U12>,
A: Aad
{
if !(can_cast_u32(in_out.len()) && aad.is_valid_size()) { return Err(Unspecified) }
let mut res = Res::new();
unsafe {
res.ensure_0(wc_ChaCha20Poly1305_Decrypt(
key.ptr(),
iv.as_slice().as_ptr(),
aad.ptr(),
aad.size(),
in_out.as_ptr(),
in_out.len() as u32,
tag.as_ptr(),
in_out.as_ptr().cast_mut()
));
}
res.unit_err(())
}
/// The `ChaCha20Poly1305` ([`RFC8439`][1]) [AEAD][2].
///
/// `ChaCha20Poly1305` combines the [`ChaCha20`][3] stream cipher with the [`Poly1305`][4] message
/// authentication code. `ChaCha20Poly1305` is well-regarded for efficiency and performance, with
/// or without hardware acceleration, making it amenable to resource constrained environments.
///
/// # Interface
///
/// This crate's interface for `ChaCha20Poly1305` is designed as a compile-time state machine,
/// ensuring errors / misuse is caught early, and without any runtime overhead.
///
/// The state machine for both encryption and decryption follows the following flow
///
/// ```txt
/// set_aad(...)
/// +--------------------------------------+
/// | +---+ |
/// | | v v finalize()
/// +------+ +-----+ finish() +----------+ +-----+
/// | Init | --> | AAD | ----------------> | | -----> | Tag |
/// +------+ +-----+ | Updating | +-----+
/// | update(...) | |
/// +----------------------------------> | |
/// +----------+
/// ^ |
/// +------+
/// ```
///
/// The state machine is initialized in either decryption or encryption mode, this initial state
/// has the following three possible transitions:
///
/// ```txt
/// +------------------+
/// +------------ | Init | --------+
/// | +------------------+ |
/// | | |
/// | | update_aad(...) |
/// | v |
/// | +------------------+ |
/// | | |--+ |
/// | | AAD | | |
/// | | |<-+ |
/// | +------------------+ |
/// | | |
/// | update(...) | finish() | set_aad(...)
/// | v |
/// | +------------------+ |
/// +-----------> | Updating | <-------+
/// +------------------+
/// |
/// v
/// ...
/// ```
///
/// - [`update(...)`][5] path:
/// The user encrypts or decrypts data without providing any AAD. This method is used
/// to process the main body of the message. After processing the plaintext or ciphertext,
/// the user can either continue updating with more data, or invoke [`finalize()`][6]
/// to return the authentication tag.
/// - [`set_aad`][6] path:
/// Similar to the [`update(...)`][5] path, but this method sets the associated data (AAD),
/// which is data that is authenticated but not encrypted. The AAD is processed first
/// before transitioning to the `Updating` state, where data is encrypted or decrypted.
/// AAD helps verify the integrity of the message.
/// - [`update_aad(...)`][7] path:
/// This method transitions to the `AAD` state, allowing the user to process associated
/// data in chunks. It is useful in cases where the complete AAD is not available at once,
/// and the user needs to progressively update it. Once all AAD is processed, the state
/// transitions to `Updating` by invoking [`finish()`][8].
///
/// # Examples
///
/// ```
/// use wolf_crypto::{aead::ChaCha20Poly1305, mac::poly1305::Key, MakeOpaque};
///
/// # fn main() -> Result<(), wolf_crypto::Unspecified> {
/// let mut in_out = [7u8; 42];
/// let key = Key::new([3u8; 32]);
///
/// let tag = ChaCha20Poly1305::new_encrypt(key.as_ref(), [7u8; 12])
/// .update_in_place(&mut in_out).opaque()?
/// .finalize().opaque()?;
///
/// assert_ne!(in_out, [7u8; 42]);
///
/// let d_tag = ChaCha20Poly1305::new_decrypt(key.as_ref(), [7u8; 12])
/// .update_in_place(&mut in_out).opaque()?
/// .finalize().opaque()?;
///
/// // PartialEq for tags is constant time
/// assert_eq!(tag, d_tag);
/// assert_eq!(in_out, [7u8; 42]);
/// #
/// # Ok(()) }
/// ```
///
/// **With AAD**
///
/// ```
/// use wolf_crypto::{aead::ChaCha20Poly1305, mac::poly1305::Key, MakeOpaque};
///
/// # fn main() -> Result<(), wolf_crypto::Unspecified> {
/// let mut in_out = [7u8; 42];
/// let key = Key::new([3u8; 32]);
///
/// let tag = ChaCha20Poly1305::new_encrypt(key.as_ref(), [7u8; 12])
/// .set_aad("hello world").opaque()?
/// .update_in_place(&mut in_out).opaque()?
/// .finalize().opaque()?;
///
/// assert_ne!(in_out, [7u8; 42]);
///
/// let d_tag = ChaCha20Poly1305::new_decrypt(key.as_ref(), [7u8; 12])
/// .set_aad("hello world")
/// .opaque_bind(|aead| aead.update_in_place(&mut in_out))
/// .opaque_bind(|aead| aead.finalize())?;
///
/// // PartialEq for tags is constant time
/// assert_eq!(tag, d_tag);
/// assert_eq!(in_out, [7u8; 42]);
/// #
/// # Ok(()) }
/// ```
///
/// # Errors
///
/// To guarantee that the state machine is correctly used, all methods take ownership over the
/// `ChaCha20Poly1305` instance. The `ChaCha20Poly1305` instance is always returned whether the
/// operation failed or not, allowing for retries.
///
/// For example, with the [`set_aad(...)`][6] method:
///
/// ```txt
/// Error!
/// +----------+
/// v |
/// +--------------+ Success! +----------------+
/// | set_aad(...) | ----------> | Updating State |
/// +--------------+ +----------------+
/// ```
///
/// While this serves its purpose in allowing retries, it can be annoying for error propagation. To
/// remedy this, there is the [`MakeOpaque`] trait, which will convert the error type into the
/// [`Unspecified`] type via the [`opaque`] method, as well as provide common combinatorics such as
/// [`opaque_bind`] and [`opaque_map`].
///
/// [1]: https://datatracker.ietf.org/doc/html/rfc8439
/// [2]: https://en.wikipedia.org/wiki/Authenticated_encryption
/// [3]: crate::chacha::ChaCha20
/// [4]: crate::mac::Poly1305
/// [5]: ChaCha20Poly1305::update
/// [6]: ChaCha20Poly1305::set_aad
/// [7]: ChaCha20Poly1305::update_aad
/// [8]: ChaCha20Poly1305::finish
///
/// [`MakeOpaque`]: crate::MakeOpaque
/// [`opaque`]: crate::MakeOpaque::opaque
/// [`opaque_bind`]: crate::MakeOpaque::opaque_bind
/// [`opaque_map`]: crate::MakeOpaque::opaque_map
#[must_use]
#[repr(transparent)]
pub struct ChaCha20Poly1305<S: State = Init> {
inner: ChaChaPoly_Aead,
_state: PhantomData<S>
}
impl ChaCha20Poly1305<Init> {
/// Creates a new `ChaCha20Poly1305` instance with the specified direction.
///
/// # Arguments
///
/// * `key` - The 32-byte key material.
/// * `iv` - The 12-byte initialization vector.
/// * `dir` - The direction of the operation (`CHACHA20_POLY1305_AEAD_ENCRYPT` or
/// `CHACHA20_POLY1305_AEAD_DECRYPT`).
///
/// # Safety
///
/// This function is unsafe as it assumes that the provided `dir` is valid.
fn new_with_dir<K, IV, S>(key: K, iv: IV, dir: core::ffi::c_int) -> ChaCha20Poly1305<S>
where
K: GenericKey,
IV: GenericIv<Size = U12>,
S: State
{
debug_assert!(matches!(
dir as core::ffi::c_uint,
CHACHA20_POLY1305_AEAD_ENCRYPT | CHACHA20_POLY1305_AEAD_DECRYPT
));
let mut inner = MaybeUninit::<ChaChaPoly_Aead>::uninit();
unsafe {
let _res = wc_ChaCha20Poly1305_Init(
inner.as_mut_ptr(),
key.ptr(),
iv.as_slice().as_ptr(),
dir
);
debug_assert_eq!(_res, 0);
ChaCha20Poly1305::<S> {
inner: inner.assume_init(),
_state: PhantomData
}
}
}
/// Create a new [`ChaCha20Poly1305`] instance for either encryption or decryption.
///
/// # Generic
///
/// The provided `Mode` generic denotes whether this instance will be used for encryption or
/// decryption. The possible types are:
///
/// * [`Decrypt`] - Initialize the instance for decryption, there is also the [`new_decrypt`][1]
/// convenience associated function.
/// * [`Encrypt`] - Initialize the instance for encryption, there is also the [`new_encrypt`][2]
/// convenience associated function.
///
/// # Arguments
///
/// * `key` - The 32 byte key material to use.
/// * `iv` - The 12 byte initialization vector to use.
///
/// # Examples
///
/// **Decryption**
/// ```
/// use wolf_crypto::{aead::chacha20_poly1305::{ChaCha20Poly1305, Decrypt}, mac::poly1305::Key};
///
/// # let _ = {
/// ChaCha20Poly1305::new::<Decrypt>(Key::new([7u8; 32]), [42u8; 12])
/// # };
/// ```
///
/// **Encryption**
/// ```
/// use wolf_crypto::{aead::chacha20_poly1305::{ChaCha20Poly1305, Encrypt}, mac::poly1305::Key};
///
/// # let _ = {
/// ChaCha20Poly1305::new::<Encrypt>(Key::new([7u8; 32]), [42u8; 12])
/// # };
/// ```
///
/// [1]: Self::new_decrypt
/// [2]: Self::new_encrypt
#[inline]
pub fn new<Mode: Updating>(key: impl GenericKey, iv: impl GenericIv<Size = U12>) -> ChaCha20Poly1305<Mode::InitState> {
Self::new_with_dir(key, iv, Mode::direction())
}
/// Create a new [`ChaCha20Poly1305`] instance for encryption.
///
/// # Arguments
///
/// * `key` - The 32 byte key material to use.
/// * `iv` - The 12 byte initialization vector to use.
///
/// # Example
///
/// ```
/// use wolf_crypto::{aead::ChaCha20Poly1305, mac::poly1305::Key};
///
/// # let _ = {
/// ChaCha20Poly1305::new_encrypt(Key::new([7u8; 32]), [42u8; 12])
/// # };
/// ```
///
/// # Note
///
/// This is a convenience associated function for calling [`ChaCha20Poly1305::new::<Encrypt>(...)`][1],
/// circumventing the need for importing the [`Encrypt`] marker type.
///
/// [1]: Self::new
#[inline]
pub fn new_encrypt<K, IV>(key: K, iv: IV) -> ChaCha20Poly1305<<Encrypt as Updating>::InitState>
where
K: GenericKey,
IV: GenericIv<Size = U12>
{
ChaCha20Poly1305::new::<Encrypt>(key, iv)
}
/// Create a new [`ChaCha20Poly1305`] instance for decryption.
///
/// # Arguments
///
/// * `key` - The 32 byte key material to use.
/// * `iv` - The 12 byte initialization vector to use.
///
/// # Example
///
/// ```
/// use wolf_crypto::{aead::ChaCha20Poly1305, mac::poly1305::Key};
///
/// # let _ = {
/// ChaCha20Poly1305::new_decrypt(Key::new([7u8; 32]), [42u8; 12])
/// # };
/// ```
///
/// # Note
///
/// This is a convenience associated function for calling [`ChaCha20Poly1305::new::<Decrypt>(...)`][1],
/// circumventing the need for importing the [`Decrypt`] marker type.
///
/// [1]: Self::new
#[inline]
pub fn new_decrypt<K, IV>(key: K, iv: IV) -> ChaCha20Poly1305<<Decrypt as Updating>::InitState>
where
K: GenericKey,
IV: GenericIv<Size = U12>
{
ChaCha20Poly1305::new::<Decrypt>(key, iv)
}
}
impl<S: State> ChaCha20Poly1305<S> {
/// Transitions the state of the `ChaCha20Poly1305` instance to a new state.
///
/// # Type Parameters
///
/// * `N` - The new state type.
///
/// # Returns
///
/// A new `ChaCha20Poly1305` instance with the updated state.
#[inline]
const fn with_state<N: State>(self) -> ChaCha20Poly1305<N> {
// SAFETY: we're just updating the phantom data state, same everything
unsafe { core::mem::transmute(self) }
}
}
impl<S: CanUpdateAad> ChaCha20Poly1305<S> {
/// Updates the AAD (Additional Authenticated Data) without performing any safety checks in
/// release builds.
///
/// # Safety
///
/// The caller must ensure that the AAD length is safely representable as a `u32`.
///
/// # Arguments
///
/// * `aad` - The additional authenticated data to include in the authentication tag.
///
/// # Panics
///
/// Panics in debug mode if the AAD size is invalid or if the internal state is incorrect.
#[cfg_attr(debug_assertions, track_caller)]
#[inline]
unsafe fn update_aad_unchecked<A: Aad>(&mut self, aad: A) {
debug_assert!(aad.is_valid_size());
#[cfg(feature = "llvm-assume")] {
// Guaranteed via trait based state machine
core::hint::assert_unchecked(
self.inner.state == CHACHA20_POLY1305_STATE_READY as byte ||
self.inner.state == CHACHA20_POLY1305_STATE_AAD as byte
);
core::hint::assert_unchecked(
self.inner.state != CHACHA20_POLY1305_STATE_DATA as byte
);
}
let _res = wc_ChaCha20Poly1305_UpdateAad(
addr_of_mut!(self.inner),
aad.ptr(),
aad.size()
);
debug_assert_eq!(_res, 0);
}
/// Update the underlying message authentication code without encrypting the data.
///
/// This transitions to the streaming state for updating the AAD, allowing for partial updates.
/// If you already have the entire AAD, consider using [`set_aad`] instead.
///
/// # Arguments
///
/// * `aad` - The additional authenticated data to include in the authentication [`Tag`].
///
/// # Errors
///
/// If the length of the AAD is greater than [`u32::MAX`].
///
/// # Example
///
/// ```
/// use wolf_crypto::{aead::chacha20_poly1305::{ChaCha20Poly1305, Key}, MakeOpaque};
///
/// # fn main() -> Result<(), wolf_crypto::Unspecified> {
/// let tag = ChaCha20Poly1305::new_encrypt(Key::new([7u8; 32]), [42u8; 12])
/// .update_aad("hello world").opaque()?
/// .update_aad("!").opaque()?
/// .finish()
/// .finalize().opaque()?;
///
/// let d_tag = ChaCha20Poly1305::new_decrypt(Key::new([7u8; 32]), [42u8; 12])
/// .update_aad("hello world!").opaque()? // equivalent to processing in parts
/// .finish()
/// .finalize().opaque()?;
///
/// assert_eq!(tag, d_tag);
/// # Ok(()) }
/// ```
///
/// [`set_aad`]: ChaCha20Poly1305::set_aad
#[inline]
pub fn update_aad<A: Aad>(mut self, aad: A) -> Result<ChaCha20Poly1305<S::Updating>, Self> {
if !aad.is_valid_size() { return Err(self) }
unsafe { self.update_aad_unchecked(aad); }
Ok(self.with_state())
}
}
impl<S: CanUpdate> ChaCha20Poly1305<S> {
/// Performs an unchecked in-place update of the `data` buffer.
///
/// # Safety
///
/// The caller must ensure that the length of `data` can be safely cast to `u32`.
#[inline]
unsafe fn update_in_place_unchecked(&mut self, data: &mut [u8]) -> Res {
debug_assert!(can_cast_u32(data.len()));
let mut res = Res::new();
#[cfg(feature = "llvm-assume")]
// Guaranteed via trait based state machine
core::hint::assert_unchecked(!( // written like this to be an exact negation of
// the failure condition
self.inner.state != CHACHA20_POLY1305_STATE_READY as byte
&& self.inner.state != CHACHA20_POLY1305_STATE_AAD as byte
&& self.inner.state != CHACHA20_POLY1305_STATE_DATA as byte
));
// INFALLIBLE
//
// https://github.com/wolfSSL/wolfssl/blob/master/wolfcrypt/src/chacha20_poly1305.c#L247
//
// The functions preconditions are as follows:
//
// - aead != NULL /\ inData != NULL /\ outData == NULL
// - state == CHACHA20_POLY1305_STATE_READY
// /\ state == CHACHA20_POLY1305_STATE_AAD
// /\ state == CHACHA20_POLY1305_STATE_DATA
//
res.ensure_0(wc_ChaCha20Poly1305_UpdateData(
addr_of_mut!(self.inner),
// See comment at:
// https://github.com/wolfSSL/wolfssl/blob/master/wolfcrypt/src/chacha20_poly1305.c#L246
// if you were wondering if it is safe to have the in and out ptr be the same.
data.as_ptr(),
data.as_ptr().cast_mut(),
data.len() as u32
));
res
}
/// Performs an unchecked update of the `data`, writing the `output` to a separate buffer.
///
/// # Safety
///
/// The caller must ensure that:
/// - `data.len() <= output.len()`
/// - The length of `data` can be safely cast to `u32`.
#[inline]
unsafe fn update_unchecked(&mut self, data: &[u8], output: &mut [u8]) -> Res {
debug_assert!(data.len() <= output.len());
debug_assert!(can_cast_u32(data.len()));
let mut res = Res::new();
#[cfg(feature = "llvm-assume")] {
// Guaranteed via trait based state machine
core::hint::assert_unchecked(
self.inner.state == CHACHA20_POLY1305_STATE_READY as byte
|| self.inner.state == CHACHA20_POLY1305_STATE_AAD as byte
|| self.inner.state == CHACHA20_POLY1305_STATE_DATA as byte
);
}
res.ensure_0(wc_ChaCha20Poly1305_UpdateData(
addr_of_mut!(self.inner),
data.as_ptr(),
output.as_mut_ptr(),
data.len() as u32
));
res
}
/// Predicate to check if the update operation can proceed.
///
/// Ensures that the `input` length can be cast to `u32` and that the `output` buffer is large
/// enough.
#[inline]
#[must_use]
const fn update_predicate(input: &[u8], output: &[u8]) -> bool {
can_cast_u32(input.len()) && output.len() >= input.len()
}
/// Updates the internal state with the given data, encrypting or decrypting it in place.
///
/// This method processes the provided `data` buffer, updating the internal cipher state, and
/// encrypting or decrypting the data in place, depending on whether the instance was created
/// in encryption or decryption mode.
///
/// # Arguments
///
/// * `data` - A mutable slice of data to be encrypted or decrypted in place.
///
/// # Errors
///
/// If the length of `data` is greater than `u32::MAX`.
///
/// # Example
///
/// ```
/// use wolf_crypto::{aead::ChaCha20Poly1305, mac::poly1305::Key, MakeOpaque};
///
/// # fn main() -> Result<(), wolf_crypto::Unspecified> {
/// let mut in_out = [7u8; 42];
/// let key = Key::new([3u8; 32]);
///
/// let tag = ChaCha20Poly1305::new_encrypt(key.as_ref(), [7u8; 12])
/// .set_aad("hello world").opaque()?
/// .update_in_place(&mut in_out).opaque()?
/// .finalize().opaque()?;
///
/// assert_ne!(in_out, [7u8; 42]);
///
/// let d_tag = ChaCha20Poly1305::new_decrypt(key.as_ref(), [7u8; 12])
/// .set_aad("hello world")
/// .opaque_bind(|aead| aead.update_in_place(&mut in_out))
/// .opaque_bind(|aead| aead.finalize())?;
///
/// assert_eq!(tag, d_tag);
/// assert_eq!(in_out, [7u8; 42]);
/// # Ok(()) }
/// ```
pub fn update_in_place(mut self, data: &mut [u8]) -> Result<ChaCha20Poly1305<S::Mode>, Self> {
if !can_cast_u32(data.len()) { return Err(self) }
into_result! (unsafe { self.update_in_place_unchecked(data) },
ok => self.with_state(),
err => self
)
}
/// Updates the internal state with the given data, encrypting or decrypting it in place.
///
/// This method processes the provided fixed-size `data` buffer, updating the internal cipher
/// state, and encrypting or decrypting the data in place, depending on whether the instance was
/// created in encryption or decryption mode.
///
/// This method is similar to [`update_in_place`], but accepts a fixed-size array, allowing for
/// potential optimizations and compile-time checks.
///
/// # Type Parameters
///
/// * `C` - The size of the data buffer.
///
/// # Arguments
///
/// * `data` - A mutable fixed-size array of data to be encrypted or decrypted in place.
///
/// # Errors
///
/// If the length of `data` is greater than `u32::MAX`.
///
/// # Example
///
/// ```rust
/// use wolf_crypto::aead::{ChaCha20Poly1305};
/// use wolf_crypto::mac::poly1305::Key;
/// use wolf_crypto::MakeOpaque;
///
/// let mut data = [0u8; 64];
/// let key = Key::new([0u8; 32]);
/// let iv = [0u8; 12];
///
/// let tag = ChaCha20Poly1305::new_encrypt(key, iv)
/// .update_in_place_sized(&mut data).unwrap()
/// .finalize().unwrap();
/// # assert_ne!(tag, wolf_crypto::aead::Tag::new_zeroed());
/// ```
///
/// [`update_in_place`]: Self::update_in_place
#[inline]
pub fn update_in_place_sized<const C: usize>(mut self, data: &mut [u8; C]) -> Result<ChaCha20Poly1305<S::Mode>, Self> {
if !const_can_cast_u32::<C>() { return Err(self) }
into_result! (unsafe { self.update_in_place_unchecked(data) },
ok => self.with_state(),
err => self
)
}
/// Updates the internal state with the given data, encrypting or decrypting it into a separate
/// output buffer.
///
/// This method processes the provided `data` slice, updating the internal cipher state, and
/// writing the encrypted or decrypted data into the provided `output` buffer, depending on
/// whether the instance was created in encryption or decryption mode.
///
/// # Arguments
///
/// * `data` - A slice of data to be encrypted or decrypted.
/// * `output` - A mutable slice where the result will be written. It must be at least as large
/// as `data`.
///
/// # Errors
///
/// - The length of `data` is greater than `u32::MAX`.
/// - The `output` buffer is smaller than the `data` buffer.
///
/// # Example
///
/// ```rust
/// use wolf_crypto::aead::{ChaCha20Poly1305};
/// use wolf_crypto::mac::poly1305::Key;
/// use wolf_crypto::MakeOpaque;
///
/// let mut data = [0u8; 64];
/// let key = Key::new([0u8; 32]);
/// let iv = [0u8; 12];
///
/// let tag = ChaCha20Poly1305::new_encrypt(key, iv)
/// .update_in_place_sized(&mut data).unwrap()
/// .finalize().unwrap();
/// # assert_ne!(tag, wolf_crypto::aead::Tag::new_zeroed());
/// ```
pub fn update(mut self, data: &[u8], output: &mut [u8]) -> Result<ChaCha20Poly1305<S::Mode>, Self> {
if !Self::update_predicate(data, output) { return Err(self) }
into_result!(unsafe { self.update_unchecked(data, output) },
ok => self.with_state(),
err => self
)
}
}
impl<S: CanSetAad> ChaCha20Poly1305<S> {
/// Sets the Additional Authenticated Data (AAD) for the AEAD operation.
///
/// # Arguments
///
/// * `aad` - The additional authenticated data to include in the authentication tag.
///
/// # Example
///
/// ```
/// use wolf_crypto::aead::chacha20_poly1305::{ChaCha20Poly1305, Key};
///
/// let key = Key::new([7u8; 32]);
/// let iv = [42u8; 12];
///
/// let aead = ChaCha20Poly1305::new_encrypt(key, iv)
/// .set_aad("additional data").unwrap();
/// # drop(aead);
/// ```
///
/// # Errors
///
/// If the length of the AAD is greater than `u32::MAX`.
///
/// # Notes
///
/// - The AAD contributes to the authentication tag but is not part of the encrypted output.
/// - If you need to provide the AAD in multiple parts, consider using [`update_aad`] instead.
///
/// [`update_aad`]: ChaCha20Poly1305::update_aad
#[inline]
pub fn set_aad<A: Aad>(
mut self,
aad: A
) -> Result<ChaCha20Poly1305<<S as CanSetAad>::Mode>, Self>
{
if !aad.is_valid_size() { return Err(self) }
unsafe { self.update_aad_unchecked(aad); }
Ok(self.with_state())
}
}
impl<S: UpdatingAad> ChaCha20Poly1305<S> {
/// Signals that no more Additional Authenticated Data (AAD) will be provided, transitioning the
/// cipher to the data processing state.
///
/// This method finalizes the AAD input phase. After calling `finish`, you may [`finalize`] the
/// state machine, or begin updating the cipher with data to be encrypted / decrypted.
///
/// # Example
///
/// ```
/// use wolf_crypto::aead::chacha20_poly1305::{ChaCha20Poly1305, Key};
/// use wolf_crypto::MakeOpaque;
///
/// let (key, iv) = (Key::new([7u8; 32]), [42; 12]);
///
/// let tag = ChaCha20Poly1305::new_encrypt(key, iv)
/// .update_aad("additional ")
/// .opaque_bind(|aead| aead.update_aad("data"))
/// .opaque_bind(|aead| aead.update_aad("..."))
/// .opaque_map(|aead| aead.finish())
/// // (just use Poly1305 directly if you're doing this)
/// .opaque_bind(|aead| aead.finalize()).unwrap();
/// # assert_ne!(tag, wolf_crypto::aead::Tag::new_zeroed()); // no warnings
/// ```
///
/// [`finalize`]: ChaCha20Poly1305::finalize
pub const fn finish(self) -> ChaCha20Poly1305<S::Mode> {
self.with_state()
}
}
impl<S: Updating> ChaCha20Poly1305<S> {
/// Finalizes the AEAD operation computing and returning the authentication [`Tag`].
///
/// # Returns
///
/// The authentication [`Tag`], resulting from the processed AAD and encryption / decryption
/// operations.
///
/// # Security
///
/// On decryption, the returned [`Tag`] should be ensured to be equivalent to the [`Tag`]
/// associated with the ciphertext. The decrypted ciphertext **should not be trusted** if
/// the tags do not match.
///
/// Also, the comparison should not be done outside the [`Tag`] type, you **must not** call
/// `as_slice()` or anything for the comparison. **ALWAYS** leverage the [`Tag`]'s `PartialEq`
/// implementation.
///
/// # Example
///
/// ```
/// use wolf_crypto::aead::chacha20_poly1305::{ChaCha20Poly1305, Key};
///
/// let key = Key::new([7u8; 32]);
/// let iv = [42u8; 12];
/// let mut data = [0u8; 64];
///
/// let tag = ChaCha20Poly1305::new_encrypt(key.as_ref(), iv)
/// .set_aad("additional data").unwrap()
/// .update_in_place(&mut data).unwrap()
/// .finalize().unwrap();
///
/// // be sure to keep the tag around! important!
///
/// // On decryption, we **must** ensure that the resulting tag matches
/// // the provided tag.
///
/// let d_tag = ChaCha20Poly1305::new_decrypt(key, iv)
/// .set_aad("additional data").unwrap()
/// .update_in_place(&mut data).unwrap()
/// .finalize().unwrap();
///
/// assert_eq!(data, [0u8; 64]);
///
/// // most importantly!
/// assert_eq!(tag, d_tag);
/// ```
pub fn finalize(mut self) -> Result<Tag, Unspecified> {
let mut tag = Tag::new_zeroed();
let mut res = Res::new();
unsafe {
res.ensure_0(wc_ChaCha20Poly1305_Final(
addr_of_mut!(self.inner),
tag.as_mut_ptr()
));
}
res.unit_err(tag)
}
}
#[cfg(test)]
mod tests {
use crate::mac::poly1305::Key;
use core::{
slice,
};
use super::*;
#[test]
fn type_state_machine() {
let key = Key::new([0u8; 32]);
let mut cipher = [69, 69, 69, 69];
let tag = ChaCha20Poly1305::new::<Encrypt>(key.as_ref(), [0u8; 12])
.set_aad(Some(Some(Some(())))).unwrap()
.update_in_place(cipher.as_mut_slice()).unwrap()
.finalize().unwrap();
let new_tag = ChaCha20Poly1305::new::<Decrypt>(key.as_ref(), [0u8; 12])
.set_aad(()).unwrap()
.update_in_place(cipher.as_mut_slice()).unwrap()
.finalize().unwrap();
assert_eq!(tag, new_tag);
assert_eq!(cipher, [69, 69, 69, 69]);
}
macro_rules! bogus_slice {
($size:expr) => {{
let src = b"hello world";
unsafe { slice::from_raw_parts(src.as_ptr(), $size) }
}};
}
#[test]
fn oneshot_size_predicate_fail() {
// I am not allocating the maximum number for u32
let slice = bogus_slice!(u32::MAX as usize + 1);
let out = slice;
assert!(!oneshot_predicate(slice, out, &()))
}
#[test]
fn oneshot_size_predicate() {
let slice = bogus_slice!(u32::MAX as usize - 1);
let out = slice;
assert!(oneshot_predicate(slice, out, &()))
}
#[test]
fn oneshot_size_predicate_too_small_out() {
let slice = bogus_slice!(u32::MAX as usize - 1);
let out = bogus_slice!(u32::MAX as usize - 2);
assert!(!oneshot_predicate(slice, out, &()));
}
}
#[cfg(test)]
mod property_tests {
use super::*;
use crate::aes::test_utils::{BoundList};
use crate::buf::Nonce;
use crate::mac::poly1305::Key;
use proptest::{prelude::*, proptest};
proptest! {
// these take some time. I ran with 50k cases once, but I cannot wait for these to pass
// each time I run the tests.
#![proptest_config(ProptestConfig::with_cases(5_000))]
#[test]
fn bijectivity(
input in any::<BoundList<1024>>(),
key in any::<Key>(),
iv in any::<Nonce>()
) {
let mut output = input.create_self();
let tag = ChaCha20Poly1305::new::<Encrypt>(key.as_ref(), iv.copy())
.update(input.as_slice(), output.as_mut_slice()).unwrap()
.finalize().unwrap();
if output.len() >= 6 {
prop_assert_ne!(output.as_slice(), input.as_slice());
}
let mut decrypted = output.create_self();
let d_tag = ChaCha20Poly1305::new::<Decrypt>(key.as_ref(), iv)
.update(output.as_slice(), decrypted.as_mut_slice()).unwrap()
.finalize().unwrap();
prop_assert_eq!(tag, d_tag);
prop_assert_eq!(decrypted.as_slice(), input.as_slice());
}
#[test]
fn bijectivity_with_aad(
input in any::<BoundList<1024>>(),
key in any::<Key>(),
iv in any::<Nonce>(),
aad in any::<Option<String>>()
) {
let mut output = input.create_self();
let tag = ChaCha20Poly1305::new::<Encrypt>(key.as_ref(), iv.copy())
.set_aad(aad.as_ref()).unwrap()
.update(input.as_slice(), output.as_mut_slice()).unwrap()
.finalize().unwrap();
if output.len() >= 6 {
prop_assert_ne!(output.as_slice(), input.as_slice());
}
let mut decrypted = output.create_self();
let d_tag = ChaCha20Poly1305::new::<Decrypt>(key.as_ref(), iv)
.set_aad(aad.as_ref()).unwrap()
.update(output.as_slice(), decrypted.as_mut_slice()).unwrap()
.finalize().unwrap();
prop_assert_eq!(tag, d_tag);
prop_assert_eq!(decrypted.as_slice(), input.as_slice());
}
#[test]
fn oneshot_bijectivity(
input in any::<BoundList<1024>>(),
key in any::<Key>(),
iv in any::<Nonce>()
) {
let mut output = input.create_self();
let tag = encrypt(
key.as_ref(), iv.copy(),
input.as_slice(), output.as_mut_slice(),
()
).unwrap();
if output.len() >= 6 {
prop_assert_ne!(output.as_slice(), input.as_slice());
}
let mut decrypted = output.create_self();
prop_assert!(decrypt(
key.as_ref(), iv,
output.as_slice(), decrypted.as_mut_slice(),
(), tag
).is_ok());
prop_assert_eq!(input.as_slice(), decrypted.as_slice());
}
#[test]
fn oneshot_bijectivity_with_aad(
input in any::<BoundList<1024>>(),
key in any::<Key>(),
iv in any::<Nonce>(),
aad in any::<Option<String>>()
) {
let mut output = input.create_self();
let tag = encrypt(
key.as_ref(), iv.copy(),
input.as_slice(), output.as_mut_slice(),
aad.as_ref()
).unwrap();
if output.len() >= 6 {
prop_assert_ne!(output.as_slice(), input.as_slice());
}
let mut decrypted = output.create_self();
prop_assert!(decrypt(
key.as_ref(), iv,
output.as_slice(), decrypted.as_mut_slice(),
aad.as_ref(), tag
).is_ok());
prop_assert_eq!(input.as_slice(), decrypted.as_slice());
}
}
}