1

我进入 GCSE 计算课程几周,现在是 9 年级。今天我们学习了一个简单的加密程序。我不是很了解它。有经验的python程序员能简单解释一下这段代码吗?

顺便说一句 - 我已经对我理解的代码段发表了评论。

message = str(input("Enter message you want to encrypt: ")) #understand
ciphered_msg = str() #understand
i = int() #understand
j = int() #understand
n = int(3)

for i in range(n):
    for j in range(i, len(message), n):
        ciphered_msg = ciphered_msg + message[j]

print(ciphered_msg) #understand

请帮我解决这个问题,因为我真的想要更多的 Python 知识并在考试中获得 A*。

我知道 for 循环是如何工作的,但我只是不明白这个循环是如何工作的。

谢谢!

4

1 回答 1

3

这些行不是 Pythonic,你不应该这样做:

ciphered_msg = str()
i = int()
j = int()
n = int(3)

相反,它是完全等效的代码,但更简单、更清晰:

ciphered_msg = ""
i = 0 # unnecessary, the i variable gets reassigned in the loop, delete this line
j = 0 # unnecessary, the j variable gets reassigned in the loop, delete this line
n = 3

循环执行以下操作:从 开始0,然后1,最后2,它获取消息长度中的每三个索引并访问数组中的相应位置message,将字符附加到该位置并将结果累积到ciphered_msg变量中。例如,如果message是 length 5,则 in 的索引message将按以下顺序访问:

0 3 1 4 2

所以基本上我们是在打乱输入中的字符message——例如,如果输入abcdeadbec. 这是一个非常弱的密码,它只是转置字符:

# input
0 1 2 3 4 # original indexes
a b c d e # `message` variable

# output
0 3 1 4 2 # scrambled indexes
a d b e c # `ciphered_msg` variable
于 2013-09-30T16:12:25.133 回答