我正在处理凯撒的密码问题,左移1,但难以入门。提示要求我查看Ruby文档中的String方法#ord和Integer方法#chr。并写信' a'必须转移到' z' ...
以下是我的工作..
def solve_cipher(string, n)
letters = ['a'..'z']
string.map {|x| letters.include?(x.ord + n).chr : x}.join
感谢您的任何建议......!
答案 0 :(得分:0)
首先,您应该使用模运算符来保持letters
范围。
其次,你试图以错误的方式使用条件运算符 - 阅读ternary operator。
将字符更改为letters
数组中的数字并将其移出函数之外也是一种改进。另一个问题是String
在Ruby中没有方法map
。您必须使用chars
方法,该方法返回字符串中的字符数组。
solve_cipher
函数的修改版本:
LETTERS = ('a'.ord..'z'.ord)
def solve_cipher(string, n)
string.chars.map {|x| LETTERS.include?(x.ord)?((x.ord - LETTERS.min + n) % 26 + LETTERS.min).chr : x}.join
end
正如您所看到的,我将除以26
后的余数 - LETTERS
数组的长度 - 保留在小写字母范围内。
答案 1 :(得分:0)
您需要split
将您的单词转换为单个字符。然后,您需要将字符转换为ord
的整数,以便您可以进行算术运算。算术运算是相对于' a',模26加上一个偏移量,以便结果映射到与' a'的不同偏移量。这将导致一个新角色。使用chr
将结果更改回字符,然后将字符连接在一起以形成字符串。
这是一个可能的实现,它同时包含大写和小写字母:
def shift_char(c, base, offset)
(((c.ord - base) + offset) % 26 + base).chr
end
def cipher(s, offset)
s.chars.map do |c|
case c
when 'a'..'z'
shift_char(c, 'a'.ord, offset)
when 'A'..'Z'
shift_char(c, 'A'.ord, offset)
else
c
end
end.join
end
cipher_text = cipher('Now is the time for all good men...', 13)
p cipher_text # "Abj vf gur gvzr sbe nyy tbbq zra..."
original_text = cipher(cipher_text, 13)
p original_text # "Now is the time for all good men..."
答案 2 :(得分:-1)
你可能正在寻找这样的东西:
def solve_cipher(string, n)
string.split('').map do |x|
new_index = x.ord + n
while new_index > 'z'.ord
new_index = 'a'.ord + new_index - 'z'.ord - 1
end
if new_index < 'a'.ord
new_index = 'z'.ord - ('a'.ord - new_index) + 1
end
new_index.chr
end.join
end