web-dev-qa-db-fra.com

Comment encoder du texte en base64 en python

J'essaie d'encoder une chaîne de texte en base64.

j'ai essayé de faire ceci:

name = "your name"
print('encoding %s in base64 yields = %s\n'%(name,name.encode('base64','strict')))

Mais cela me donne l'erreur suivante:

LookupError: 'base64' is not a text encoding; use codecs.encode() to handle arbitrary codecs

Comment puis-je faire cela? (en utilisant Python 3.4)

31
sukhvir

N'oubliez pas d'importer base64 et que b64encode utilise des octets comme argument.

import base64
base64.b64encode(bytes('your string', 'utf-8'))
53
Alexander Ejbekov

1) Cela fonctionne sans importations en Python 2:

>>>
>>> 'Some text'.encode('base64')
'U29tZSB0ZXh0\n'
>>>
>>> 'U29tZSB0ZXh0\n'.decode('base64')
'Some text'
>>>
>>> 'U29tZSB0ZXh0'.decode('base64')
'Some text'
>>>

(bien que cela ne fonctionne pas en Python3)

2) En Python 3, vous devez importer base64 et faire base64.b64decode ('...') - fonctionnera également en Python 2.

13
Tagar

Il s’avère que c’est assez important pour obtenir c’est son propre module ...

import base64
base64.b64encode(b'your name')  # b'eW91ciBuYW1l'
base64.b64encode('your name'.encode('ascii'))  # b'eW91ciBuYW1l'
9
mgilson

Compatibilité avec py2 et py3

import six
import base64

def b64encode(source):
    if six.PY3:
        source = source.encode('utf-8')
    content = base64.b64encode(source).decode('utf-8')
2
Five

Utilisez le code ci-dessous: 

import base64

#Taking input through the terminal.
welcomeInput= raw_input("Enter 1 to convert String to Base64, 2 to convert Base64 to String: ") 

if(int(welcomeInput)==1 or int(welcomeInput)==2):
    #Code to Convert String to Base 64.
    if int(welcomeInput)==1:
        inputString= raw_input("Enter the String to be converted to Base64:") 
        base64Value = base64.b64encode(inputString.encode())
        print "Base64 Value = " + base64Value
    #Code to Convert Base 64 to String.
    Elif int(welcomeInput)==2:
        inputString= raw_input("Enter the Base64 value to be converted to String:") 
        stringValue = base64.b64decode(inputString).decode('utf-8')
        print "Base64 Value = " + stringValue

else:
    print "Please enter a valid value."
0
ujjawal sharma