I created a function to split inputed string into list of words and then replace the letters in each word with its shifted counterpart but when I set the shift to over 30 it prints unchanged.
JavaScript
x
29
29
1
def ceaser_cipher_encoder(string , num):
2
alphabet = ["a", "b", "c", "d", "e", "f", "g", "h", "i", "j", "k", "l", "m",
3
"n", "o", "p", "q", "r", "s", "t", "u", "v", "w", "x", "y", "z"]
4
5
new_string = ""
6
string_list = string.split(" ")
7
new_list = []
8
for word in string_list:
9
word1 = ""
10
for charecter in word:
11
letter_position = alphabet.index(charecter)
12
letter_position_with_shift = letter_position + num
13
if letter_position_with_shift > 25:
14
letter_position_with_shift = 0 + ((letter_position - 25) - 1)
15
word1 += charecter.replace(charecter, alphabet[letter_position_with_shift])
16
17
new_list.append(word1)
18
end_string = " ".join(new_list)
19
20
21
22
return end_string
23
24
25
26
27
message = ceaser_cipher_encoder("hello dad", 35)
28
print(message)
29
Advertisement
Answer
One useful trick here is to use the modulus operator (%
). It will take care of the shift for you.
Here is how I would do :
JavaScript
1
9
1
def ceaser_cipher_encoder(string , num):
2
alphabet = ["a", "b", "c", "d", "e", "f", "g", "h", "i", "j", "k", "l", "m",
3
"n", "o", "p", "q", "r", "s", "t", "u", "v", "w", "x", "y", "z"]
4
5
new_string = ""
6
for c in string:
7
new_string += alphabet[(alphabet.index(c) + num) % len(alphabet)]
8
return new_string
9
Let’s say c
is “y” and num
is 10. You would then have alphabet.index(c)
equal to 24, so the shift would return 34. Since 34 modulo 26 is 8, it would append alphabet[8]
(“i”) to new_string
.
I used len(alphabet)
instead of hard-coding 26 so that you can change your alphabet and the code would still work.