TheAlgorithms-Ruby/ciphers/caesar.rb

33 lines
761 B
Ruby
Raw Permalink Normal View History

2021-07-25 21:13:34 +02:00
# Caesar Cipher replaces characters rotating X number of positions to the left or to the right.
#
# Alphabet
# a b c d e f g h i j k l m n o p q r s t u v w x y z
#
# shift 4 >> it means to rotate 4 places
#
# After shifting
# e f g h i j k l m n o p q r s t u v w x y z a b c d
#
# plaintext -> apple
# ciphertext -> ettpi
class CaesarCipher
ALPHABET = ('a'..'z').to_a
def self.encrypt(plaintext, shift)
plaintext.chars.map do |letter|
temp = letter.ord + shift
temp -= ALPHABET.length while temp > 'z'.ord
temp.chr
end.join
end
def self.decrypt(ciphertext, shift)
ciphertext.chars.map do |letter|
temp = letter.ord - shift
temp += ALPHABET.length while temp < 'a'.ord
temp.chr
end.join
end
end