2

我是初学者,如果这很明显,很抱歉。

我在这里不知所措。我一直在尝试制作一个加密/解密程序,但我一直收到这个错误。我知道关于这个问题还有其他问题,但我仍然无法解决。

加密器

import binascii
def text_to_bits(text, encoding='utf-8', errors='surrogatepass'):
    bits = bin(int(binascii.hexlify(text.encode(encoding, errors)), 16))[2:]
    return bits.zfill(8 * ((len(bits) + 7) // 8))

def text_from_bits(bits, encoding='utf-8', errors='surrogatepass'):
    n = int(bits, 2)
    return int2bytes(n).decode(encoding, errors)

def int2bytes(i):
    hex_string = '%x' % i
    n = len(hex_string)
    return binascii.unhexlify(hex_string.zfill(n + (n & 1)))

#ENCRYPTION ALGORITHM
algorithm = 61913299

#ASCII ----> NUMBERS
raw = input("Enter text to encrypt:")

binary = text_to_bits(raw)
binary = int(binary)
algorithm = int(algorithm)
encrypted = binary * algorithm
encrypted = str(encrypted)
print(encrypted)

print("Done")

解密器:

import sys
import time

def to_bin(string):
    res = ''
    for char in string:
        tmp = bin(ord(char))[2:]
        tmp = '%08d' %int(tmp)
        res += tmp
    return res

def to_str(string):
    res = ''
    for idx in range(len(string)/8):
        tmp = chr(int(string[idx*8:(idx+1)*8], 2))
        res += tmp
    return res

incorrectpasswords = 0
password=("password")
originpassword = password
x = 1
algorithm = 61913299

while x==1:
    passwordattempt =input("Enter Password:")
    if passwordattempt == password:
        print("Correct")
        x = 2

    if passwordattempt!= password:
        print("Incorrect")
        incorrectpasswords = incorrectpasswords + 1
    if incorrectpasswords > 2:
        if x == 1:
            print("Too many wrong attempts, please try again in one minute.")
            time.sleep(60)


encrypted = input("Enter numbers to unencrypt:")

encrypted = int(encrypted)

one = encrypted / algorithm
size = sys.getsizeof(one)
one = str(one).zfill(size + 1)
one = int(one)
unencrypted = to_str(one)

x = unencrypted

对于二进制与文本、文本与二进制的转换,我使用了网上找的一些代码。

4

1 回答 1

0

我相信您的代码不起作用,因为:

one = encrypted / algorithm

生成一个浮点数

把你的字符串变成你应该应用的数字

eval(one)

或者

float(one)

代替

int(one)

(您也可以在应用 float 或 eval 后将其转换为 int)或者您可以通过使用整数除法//而不是 来获得它/,这将通过one对除法的小数结果求底来生成类型int,但我不是确定这是否是您正在寻找的行为

python 3 shell 中的示例:

>>> import sys
>>> one = 15/25
>>> size = sys.getsizeof(one)
>>> one = str(one).zfill(size+1)
>>> one
'00000000000000000000000.6'
>>> type(one)
<class 'str'>
>>> one = eval(one)
>>> one
0.6
>>> type(one)
<class 'float'>
于 2017-04-12T04:34:16.467 回答