forked from TheAlgorithms/Java
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathOneTimePadCipherTest.java
More file actions
49 lines (36 loc) · 1.81 KB
/
OneTimePadCipherTest.java
File metadata and controls
49 lines (36 loc) · 1.81 KB
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
package com.thealgorithms.ciphers;
import static org.junit.jupiter.api.Assertions.assertArrayEquals;
import static org.junit.jupiter.api.Assertions.assertEquals;
import static org.junit.jupiter.api.Assertions.assertThrows;
import java.nio.charset.StandardCharsets;
import org.junit.jupiter.api.Test;
class OneTimePadCipherTest {
@Test
void encryptAndDecryptWithRandomKeyRestoresPlaintext() {
String plaintext = "The quick brown fox jumps over the lazy dog.";
byte[] plaintextBytes = plaintext.getBytes(StandardCharsets.UTF_8);
byte[] key = OneTimePadCipher.generateKey(plaintextBytes.length);
byte[] ciphertext = OneTimePadCipher.encrypt(plaintextBytes, key);
byte[] decrypted = OneTimePadCipher.decrypt(ciphertext, key);
assertArrayEquals(plaintextBytes, decrypted);
assertEquals(plaintext, new String(decrypted, StandardCharsets.UTF_8));
}
@Test
void generateKeyWithNegativeLengthThrowsException() {
assertThrows(IllegalArgumentException.class, () -> OneTimePadCipher.generateKey(-1));
}
@Test
void encryptWithMismatchedKeyLengthThrowsException() {
byte[] data = "hello".getBytes(StandardCharsets.UTF_8);
byte[] shortKey = OneTimePadCipher.generateKey(2);
assertThrows(IllegalArgumentException.class, () -> OneTimePadCipher.encrypt(data, shortKey));
}
@Test
void decryptWithMismatchedKeyLengthThrowsException() {
byte[] data = "hello".getBytes(StandardCharsets.UTF_8);
byte[] key = OneTimePadCipher.generateKey(data.length);
byte[] ciphertext = OneTimePadCipher.encrypt(data, key);
byte[] wrongSizedKey = OneTimePadCipher.generateKey(data.length + 1);
assertThrows(IllegalArgumentException.class, () -> OneTimePadCipher.decrypt(ciphertext, wrongSizedKey));
}
}