python中加密解密
阿新 • • 發佈:2019-01-07
- 1. 最簡單的方法是用base64:
- import base64
- s1 = base64.encodestring('hello world')
- s2 = base64.decodestring(s1)
- print s1,s2
- # aGVsbG8gd29ybGQ=\n
- # hello world
- 注: 這是最簡單的方法了,但是不夠保險,因為如果別人拿到你的密文,也可以自己解密來得到明文;不過可以把密文字串進行處理,如字母轉換成數字或是特殊字元等,自己解密的時候在替換回去在進行base64.decodestring,這樣要安全很多。
- 2. 第二種方法是使用win32com.client
- import win32com.client
- def encrypt(key,content): # key:金鑰,content:明文
- EncryptedData = win32com.client.Dispatch('CAPICOM.EncryptedData')
- EncryptedData.Algorithm.KeyLength = 5
- EncryptedData.Algorithm.Name = 2
- EncryptedData.SetSecret(key)
- EncryptedData.Content = content
- return EncryptedData.Encrypt()
- def decrypt(key,content): # key:金鑰,content:密文
- EncryptedData = win32com.client.Dispatch('CAPICOM.EncryptedData')
- EncryptedData.Algorithm.KeyLength = 5
- EncryptedData.Algorithm.Name = 2
- EncryptedData.SetSecret(key)
- EncryptedData.Decrypt(content)
- str = EncryptedData.Content
- return str
- s1 = encrypt('lovebread', 'hello world')
- s2 = decrypt('lovebread', s1)
- print s1,s2
- # MGEGCSsGAQQBgjdYA6BUMFIGCisGAQQBgjdYAwGgRDBCAgMCAAECAmYBAgFABAgq
- # GpllWj9cswQQh/fnBUZ6ijwKDTH9DLZmBgQYmfaZ3VFyS/lq391oDtjlcRFGnXpx
- # lG7o
- # hello world
- 注: 這種方法也很方便,而且可以設定自己的金鑰,比第一種方法更加安全,如果對安全級別要求不太高的話這種方法是加密解密的首選之策!
- 3. 還有就是自己寫加密解密演算法,比如:
- def encrypt(key, s):
- b = bytearray(str(s).encode("gbk"))
- n = len(b) # 求出 b 的位元組數
- c = bytearray(n*2)
- j = 0
- for i in range(0, n):
- b1 = b[i]
- b2 = b1 ^ key # b1 = b2^ key
- c1 = b2 % 16
- c2 = b2 // 16# b2 = c2*16 + c1
- c1 = c1 + 65
- c2 = c2 + 65# c1,c2都是0~15之間的數,加上65就變成了A-P 的字元的編碼
- c[j] = c1
- c[j+1] = c2
- j = j+2
- return c.decode("gbk")
- def decrypt(key, s):
- c = bytearray(str(s).encode("gbk"))
- n = len(c) # 計算 b 的位元組數
- if n % 2 != 0 :
- return ""
- n = n // 2
- b = bytearray(n)
- j = 0
- for i in range(0, n):
- c1 = c[j]
- c2 = c[j+1]
- j = j+2
- c1 = c1 - 65
- c2 = c2 - 65
- b2 = c2*16 + c1
- b1 = b2^ key
- b[i]= b1
- try:
- return b.decode("gbk")
- except:
- return"failed"
- key = 15
- s1 = encrypt(key, 'hello world')
- s2 = decrypt(key, s1)
- print s1,'\n',s2
- # HGKGDGDGAGPCIHAGNHDGLG
- # hello world
- 注: 這是網上抄來的一個簡單的例子,大家可以自定義自己演算法進行加密解密;還有許許多多複雜的加密演算法,大家可以自行查閱密碼學的相關演算法。
- 4.對於python來說,也可以把python原始碼檔案編譯成pyc二進位制格式的檔案,這樣別人就看不到你的原始碼,也算是一種加密方法吧,方法如下:
- 執行命令python -m py_compile create_slave.py 可以直接生成一個create_slave.pyc檔案,然後可以用create_slave.pyc來替換create_slave.py作為指令碼來執行。