Python CookBook

platform

import platform

# Get the number of bits of the operating system
print('architecture: ', platform.architecture()) # architecture:('64bit','ELF')
# Computer type/CPU architecture
print('machine: ', platform.machine()) # machine:  x86_64 aarch64
print('system:', platform.system()) # Linux
# Get the Linux kernel version
print('platform: ', platform.platform()) # Linux-5.4.0-42-generic-x86_64-with-glibc2.29print('version: ', platform.version()) # #46-Ubuntu SMP Fri Jul 1000:24:02 UTC 2020
# Computer's network name
print('node: ', platform.node()) # idea570
# Computer processor information
print('processor', platform.processor()) # processor x86_64
print('uname: ', platform.uname()) # uname_result(system='Linux', node='idea570', release='5.4.0-42-generic', version='#46-Ubuntu SMP Fri Jul 10 00:24:02 UTC 2020', machine='x86_64', processor='x86_64')print(platform.python_build()) # ('default','Jul 16 2020 14:00:26')print(platform.python_compiler()) # GCC 9.3.0print(platform.python_branch())
# Python interpreter implementation
print(platform.python_implementation()) # CPython
print(platform.python_revision())print(platform.python_version_tuple()) # ('3','8','2')

lsb_release

import lsb_release
lsb_info = lsb_release.get_distro_information()print(lsb_info) # {'ID':'Ubuntu','DESCRIPTION':'Ubuntu 20.04.1 LTS','RELEASE':'20.04','CODENAME':'focal'}print('ID: ', lsb_info.get('ID')) # ID:  Ubuntu
print('RELEASE: ', lsb_info.get('RELEASE')) # RELEASE:20.04print('DESCRIPTION: ', lsb_info.get('DESCRIPTION')) # DESCRIPTION: 'Ubuntu 20.04.1 LTS
print('CODENAME: ', lsb_info.get('CODENAME')) # CODENAME:  focal

Password hash####

from passlib.apps import custom_app_context as pwd_context
password = pwd_context.encrypt('password')print(password,len(password))
# $6$rounds=656000$Q.AXo68BhIXq7LnM$bldegF6rHZ5Gi7ujPnXHOAdnAvC8srNImdIFQ9DcBWx7aF0sCWn/HryRIbyh6nuyhD3Trp.y2Sb6yVEyHsWCS1 120

result = pwd_context.verify('password', password)print(result)   # True

selenium login test####

import time
from selenium import webdriver
browser = webdriver.Firefox(executable_path='/opt/geckodriver')
browser.get('http://127.0.0.1:8080')

name_input = browser.find_element_by_xpath("//*[@type='text']")  #Find the user name box
pass_input = browser.find_element_by_xpath("//*[@type='password']")  #Find the box to enter the password
login_button = browser.find_element_by_class_name('loginButton')  #Find the login button

name_input.clear()
name_input.send_keys('admin')  #Fill in username
time.sleep(0.2)
pass_input.clear()
pass_input.send_keys('password')  #Fill in the password
time.sleep(0.2)
login_button.click()  #Click to Login

c = browser.context()print(c)

Delete elements with empty dictionary value###

dict(filter(lambda x: x[1] != ‘’, dic.items()))

- postgresql connect
``` python
import psycopg2
conn = psycopg2.connect(database='', user='', password=, host='', port=5432)
cur = conn.cursor()
# select
query ='select * from public.test where id=%(id)s'
query_dict ={'id': id}
cur.execute(query,query_dict)
row = cur.fetchone()
# insert

pickle

withopen("test.txt",'wb+')as f:
 pickle.dump(test.txt, f)withopen("test.txt",'rb+')as f:
 text = pickle.load(f)

PIL display picture stream

from PIL import Image
import io
stream = io.BytesIO(pic.content)
img = Image.open(stream) # img = Image.open("pic.jpg")
img.show()
img.close()

socket5 proxy

# socket5 proxy:
#
import copy
import socks
import socket
defaultSocket = copy.copy(socket.socket) # proxy switch
socks.setdefaultproxy(socks.PROXY_TYPE_SOCKS5,"127.0.0.1",1080)
# socket.socket = socks.socksocket

RE

import re
find_string = re.findall(r"<p>(.*?)</p>",text_string)

Requests CookieJar Dict type conversion

cookies = requests.utils.dict_from_cookiejar(r.cookies)
cookies = requests.utils.cookiejar_from_dict(cookie_dict, cookiejar=None, overwrite=True)
s = requests.Session()
s.cookies = cookies
# Combine two lists into one dictionary
a =[1,2,3]
b =[a, b, c]
d =dict(zip(a, b))
# {1: a,2:b,3:c}

Chrome cookie string to dictionary

def chrome_cookie_to_dict(str):
 cookie ={}
 f = str.strip('Cookie:').strip('\n').split(';')for line in f:
  name, value = line.strip().split('=')
  cookie[name]= value
 return cookie
if __name__ =='__main__':
 str ='Cookie:SESSION_COOKIE=3cab1829cea36ddbceb17f7e; JSESSIONID=E2EE5E944C1E82BE0B26613F3D9A9AAB'chrome_cookie_to_dict(str) # {'SESSION_COOKIE':'3cab1829cea36ddbceb17f7e','JSESSIONID':'E2EE5E944C1E82BE0B26613F3D9A9AAB'}

OptionParser command line option parser,Application scenario:(Command line options,Help description)

from optparse import OptionParser, OptionError
usage ='usage: %prog [options] xxx'
description = HandlerClass.__doc__
parser =OptionParser(usage=usage, description=description)
parser.add_option('-a', dest='address', help='host address',default='127.0.0.1')
parser.add_option('-p', dest='port', help='port number',default=8080)try:(options, args)= parser.parse_args()
except OptionError:
 sys.exit(2)
except OptionError:print('No option input')
 sys.exit(2)

Importlib module dynamically loads application scenarios:Pluggable components(fully pluggable)

import importlib
module = importlib.import_module(module_name)

HMAC password generator demo

import hashlib
import hmac
import base64

def hmac_password(message, salt, digestmod=hashlib.sha256):"""
 digestmod:always_supported:'md5','sha1','sha224','sha256','sha384','sha512'.:param message::param salt::param digestmod::return: hmac password
    """
 message = message.encode()
 salt = salt.encode()
 signature = base64.b64encode(hmac.new(salt, message, digestmod=digestmod).digest())return signature

if __name__ =='__main__':
 m =hmac_password('secret info','random sring')print(m.decode())

Stmp SSL Mail.

import smtplib
import email.mime.multipart
import email.mime.text

from_mail =''
from_mail_password =''
to_mail =''
mail_subject ='test'
mail_content ='''
     This is an automatically sent email.&#39;&#39;&#39;
stmp_host ='smtp.exmail.qq.com'
stmp_port ='465'
def SMTP_SSL():"""
 Send mail.:return:(250, b'Ok')"""
 msg = email.mime.multipart.MIMEMultipart()
 msg['from']= from_mail
 msg['to']= to_mail
 msg['subject']= mail_subject
 content = mail_content
 txt = email.mime.text.MIMEText(content)
 msg.attach(txt)
 smtp = smtplib.SMTP_SSL(stmp_host, stmp_port)
 smtp.login(from_mail, from_mail_password)
 # smtp.set_debuglevel(1)
 smtp.sendmail(from_mail, to_mail,str(msg))return smtp.noop()if __name__ =='__main__':print(SMTP_SSL())

Recommended Posts

Python CookBook
Python multithreading
Python FAQ
Python3 dictionary
Python3 module
python (you-get)
Python string
Python basics
Python descriptor
Python basics 2
Python exec
Python notes
Python3 tuple
CentOS + Python3.6+
Python advanced (1)
Python decorator
Python IO
Python multithreading
Python toolchain
Python3 list
Python multitasking-coroutine
Python overview
python introduction
Python analytic
Python basics
07. Python3 functions
Python basics 3
Python multitasking-threads
Python functions
python sys.stdout
python operator
Python entry-3
Centos 7.5 python3.6
Python string
python queue Queue
Python basics 4
Python basics 5
Python answers questions
Python basic syntax (1)
Python exit loop
Ubuntu16 upgrade Python3
Centos7 install Python 3.6.
ubuntu18.04 install python2
Python classic algorithm
Relearn ubuntu --python3
Python2.7 [Installation Tutorial]
Python string manipulation
Python 3.9 is here!
Python study notes (1)
python learning route
CentOS7 upgrade python3
Python3 basic syntax
Python review one
linux+ubuntu solve python
Functions in python
Python learning-variable types
CentOS install Python 3.6
7 features of Python3.9
Python file operation
ubuntu12.04 install python3
Python design patterns