So, this letter substitution cipher shows an error whenever there is a space (whitespace) in the input/phrase,to be encoded.
Here is my code: Im quite new to python so it would be helpful for any suggestions whatsoever.
JavaScript
x
20
20
1
from string import ascii_lowercase
2
import random
3
4
EXAMPLE_KEY = ''.join(sorted(ascii_lowercase, key=lambda _:random.random()))
5
6
def encode(plaintext, key):
7
return ''.join(key[ascii_lowercase.index(char)] for char in plaintext)
8
9
def decode(plaintext, key):
10
return ''.join(ascii_lowercase[key.index(char)] for char in plaintext)
11
12
original = input("PLease enter a phrase: ")
13
encoded = encode(original, EXAMPLE_KEY)
14
decoded = decode(encoded, EXAMPLE_KEY)
15
16
print("The original is:", original)
17
print("Encoding it with the key:", EXAMPLE_KEY)
18
print("Gives:", encoded)
19
print("Decoding it by the same key gives:", decoded)
20
Note this isn’t a Caesar Cipher, simply randomly changing the letters to other letters. Thank you
Advertisement
Answer
ascii_lowercase
does not contain a space, so ascii_lowercase.index(char)
is a ValueError.
One reasonable approach is to just catch this error and return the same character. That would require breaking your join call out into a loop. You could shoehorn an if char in ascii_lowercase
into there to keep it in one line, but that would be pretty ugly.
EDIT: like this
JavaScript
1
9
1
def encode(plaintext, key):
2
ret = ''
3
for char in plaintext:
4
try:
5
ret += key[ascii_lowercase.index(char)]
6
except ValueError:
7
ret += char
8
return ret
9