Шифрование файла с использованием сохраненных ключей RSA в python - PullRequest
0 голосов
/ 02 декабря 2018

Я пытаюсь зашифровать файл изображения с помощью ключей RSA, сгенерированных другим сценарием и сохраненных в файле .pem.когда я пытаюсь зашифровать файл, он показывает ошибки вроде этого

Traceback (most recent call last):
  File "rsaencrypt.py", line 85, in <module>
    main()
  File "rsaencrypt.py", line 45, in main
    content = fileObj.read()
  File "/usr/lib64/python3.7/codecs.py", line 322, in decode
    (result, consumed) = self._buffer_decode(data, self.errors, final)
UnicodeDecodeError: 'utf-8' codec can't decode byte 0xff in position 0: invalid start byte

Я новичок в Python и обработке файлов, поэтому я думаю, что проблема заключается в том, как я обрабатываю файлы и файлы ключейи входной файл.Ждем некоторого предложения.

Вот код моего файла шифрования:

import time, os, sys

def main():

inputFilename = 'img.jpg'

# BE CAREFUL! If a file with the outputFilename name already exists,

# this program will overwrite that file.

outputFilename = 'encrypted.jpg'

myKey = open("public_key.pem",'r')

myMode = 'encrypt' # set to 'encrypt' or 'decrypt'

# If the input file does not exist, then the program terminates early.

if not os.path.exists(inputFilename):

   print('The file %s does not exist. Quitting...' % (inputFilename))

   sys.exit()

# If the output file already exists, give the user a chance to quit.

if os.path.exists(outputFilename):

   print('This will overwrite the file %s. (C)ontinue or (Q)uit?' % (outputFilename))

   response = input('> ')

   if not response.lower().startswith('c'):

        sys.exit()

# Read in the message from the input file

fileObj = open(inputFilename)

content = fileObj.read()

fileObj.close()

print('%sing...' % (myMode.title()))

# Measure how long the encryption/decryption takes.

startTime = time.time()

if myMode == 'encrypt':

    translated = transpositionEncrypt.encryptMessage(myKey, content)

elif myMode == 'decrypt':

    translated = transpositionDecrypt.decryptMessage(myKey, content)

totalTime = round(time.time() - startTime, 2)

print('%sion time: %s seconds' % (myMode.title(), totalTime))

# Write out the translated message to the output file.

outputFileObj = open(outputFilename, 'w')

outputFileObj.write(translated)

outputFileObj.close()

print('Done %sing %s (%s characters).' % (myMode, inputFilename, len(content)))

print('%sed file is %s.' % (myMode.title(), outputFilename))

# If transpositionCipherFile.py is run (instead of imported as a module)

# call the main() function.

if __name__ == '__main__':

   main()

1 Ответ

0 голосов
/ 02 декабря 2018

Вам нужно открыть файл в двоичном режиме, а не в текстовом (что по умолчанию).

Превратить

fileObj = open(inputFilename)

в

fileObj = open(inputFilename, "rb")

и .read() вернет bytes (т.е. двоичные данные), а не str (т.е. текст).

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...