-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcaesar_cipher.rs
112 lines (84 loc) · 3.12 KB
/
caesar_cipher.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
use menu;
use std;
// Encrypt the message using the Caesar Cipher's Algorithm
// and return the encrypted message as a string.
pub fn encrypt(message:String) -> String {
let encryption_key:i32;
let mut encrypted_message = String::new();
let mut var:u32;
// Ask user to provide the encryption key.
println!("Enter the encryption key (a positive integer):" );
encryption_key = menu::read_integer() % 26;
// Shift each character or the plaintext message to the right
// as many positions as are specified by the encryption key.
for character in message.chars() {
//this will hold the character we are adding to the ciphered message
let new_char;
//match ascii characters and shift them to right
//as many positions as the encryption key is indicates.
match character {
'a'...'z' => {
let mut my_ch = character as u32;
my_ch += encryption_key as u32;
if my_ch > 'z' as u32 {
my_ch -= 26;
}
new_char = std::char::from_u32(my_ch).unwrap();
}
'A'...'Z' => {
let mut my_ch = character as u32;
my_ch += encryption_key as u32;
if my_ch > 'Z' as u32 {
my_ch -= 26;
}
new_char = std::char::from_u32(my_ch).unwrap();
}
//Pass anything that is not a letter.
_ => {
new_char = character;
}
}
//push each encrypted character to the encrypted_message
encrypted_message.push(new_char);
}
// return the encrypted message.
encrypted_message
}
// Decrypt the message using the encryption key
// and return the plaintext message as a string.
pub fn decrypt( encrypted_message: String, encryption_key:i32 ) -> String {
let mut plaintext_message = String::new();
let mut var:u32;
for character in encrypted_message.chars() {
//this will hold the character we are adding to the ciphered message
let new_char;
//match ascii characters and shift them to left
//as many positions as the encryption key is indicates.
match character {
'a'...'z' => {
let mut my_ch = character as u32;
my_ch -= encryption_key as u32;
if my_ch < 'a' as u32 {
my_ch += 26;
}
new_char = std::char::from_u32(my_ch).unwrap();
}
'A'...'Z' => {
let mut my_ch = character as u32;
my_ch -= encryption_key as u32;
if my_ch < 'A' as u32 {
my_ch += 26;
}
new_char = std::char::from_u32(my_ch).unwrap();
}
//Pass anything that is not a letter.
_ => {
new_char = character;
}
}
//push each decrypted character to the plaintext_message
plaintext_message.push(new_char);
}
// return the plaintext message
plaintext_message
}