0

你能帮我把这个c++代码转换成python吗:我正在尝试对数据进行异或

C++:

void Encrypt(void data, Dword size)
{
    if(size > 0)
        for(DWORD i = size - 1; i > 0; i--)
            ((LPBYTE)data)[i] ^= ((LPBYTE)data)[i - 1];
}
4

2 回答 2

1
def Encrypt(data, size):
    for i in range(size-1, 0, -1):
        data[i] = data[i] ^ data[i-1]

虽然这不是很pythonic。您可能想删除显式大小参数并只使用 len(data)

于 2012-06-28T04:46:18.037 回答
0

要在 python 中执行此操作,您可能需要使用bytearray该类:

def encrypt(data):
    n = len(data)
    for i in range(n-1, 0, -1):
        data[i] ^= data[i-1]      # for this to work, data has to be mutable

f = open('somefile.bin', 'rb')
buf = bytearray(f.read())
f.close()

encrypt(buf)

请注意注释,您不能传递字符串对象,因为 python 中的字符串是不可变的。bytearray另一方面,不是。

于 2012-06-28T04:46:54.713 回答