Home >  > 常用Python代码及花式写法(函数调用自身+三大神器)

常用Python代码及花式写法(函数调用自身+三大神器)

0

备注:第33课已经OK

一、urllib

from urllib.request import urlopen as  uReq
from bs4 import BeautifulSoup as soup

my_url = "https://www.newegg.com/Video-Cards-Video-Devices/Category/ID-38?Tpk=graphic%20card"
# opening up connection, grabbing the page 
uClient = uReq(my_url)
page_html = uClient.read()
uClient.close()
page_soup = soup(page_html,"html.parser")
print(page_soup.h1)

二、异常处理
使用下面的方法打印出错信息:

a  = "yes"
for i in range(1,4):
    try:
    	x = a+1
    except Exception as e:
        print(e)
        # print("error message")

try的工作原理是,当开始一个try语句后,python就在当前程序的上下文中作标记,这样当异常出现时就可以回到这里,try子句先执行,接下来会发生什么依赖于执行时是否出现异常。

如果当try后的语句执行时发生异常,python就跳回到try并执行第一个匹配该异常的except子句,异常处理完毕,控制流就通过整个try语句(除非在处理异常时又引发新的异常)。

如果在try后的语句里发生了异常,却没有匹配的except子句,异常将被递交到上层的try,或者到程序的最上层(这样将结束程序,并打印缺省的出错信息)。

如果在try子句执行时没有发生异常,python将执行else语句后的语句(如果有else的话),然后控制流通过整个try语句。

三、读取CSV文件到SQlite

import pandas
import csv, sqlite3
conn= sqlite3.connect("dbname.db")
df = pandas.read_csv('btc2017_new2.csv')
df.to_sql('tablename', conn, if_exists='append', index=False)
print('ok')

四、读取txt

try:
    f = open("guessword.txt")
    words = f.read().splitlines()
    f.close
excetp IOError:
    print("Cannot find the 'gusssword.txt'")
    exit()

五、读取文件夹下面的文件(使用glob)

filesIndex = 1 
files = glob.glob("*.nille")
for filename in files:
    print(str(filesIndex) + "."+ filename)
    filesIndex = filesIndex + 1

六、函数内部调用自己

import threading
import time

def fun_timer():
    print('hello timer')
    global timer
    #重复构造定时器
    timer = threading.Timer(5.8,fun_timer)
    timer.start()
#定时调度
timer = threading.Timer(2,fun_timer)
timer.start()


# 50秒后停止定时器
time.sleep(50)
timer.cancel()

另一个:

from threading import Timer
def hello(): 
    print ("hello, world") 
    Timer(2.0, hello) .start()

t = Timer(2.0, hello) 
t.start()

另一个:定时器:
threading中定时器Timer
定时器功能:在设置的多少时间后执行任务,不影响当前任务的执行。

import threading
from datetime import datetime
 
 
def fun_timer():
    print("hello timer!===处理每秒触发的计时器事件:%s"% str(datetime.now()))
    # 定义全局变量
    global timer  #timer可以改为其它名称
    # 10秒调用函数一次
    timer = threading.Timer(2, fun_timer)
    # 启用定时器
    timer.start()
 
 
fun_timer()

执行结果:

七、导入相同目录下的其他python文件

from .chan import *

命令式编程关键字: def if else for

函数式编程:关键字 map reduce filter三个函数,lambda算子

八、列表中的数值求和

from functools import reduce

list_x = [1,2,3,4,5,6,7,8]

r = reduce(lambda x,y:x+y,list_x)

print(r)

结果为36

九、filter

from functools import reduce

list_x = [1,0,1,0,5,0,7,8]

r = filter(lambda x: True if x ==1 else False,list_x)
print(list(r))

结果为[1, 1]

可以简写为:r = filter(lambda x: x,list_x)

十、装饰器

import time

def f1():
	print(time.time())
	print("This is a function")

f1()

如果要给上面一百个函数添加时间的功能呢?

import time

def f1():
	# print(time.time())
	print("This is a function")

# f1()


def print_current_time(func):
	print(time.time())
	func()


print_current_time(f1)

要懂装饰器首先要懂闭包,最好的视频还是这个:https://www.bilibili.com/video/BV1k7411i7oy?p=242

十一、叠代器

叠代器的优点就是占用很小的空间,它存储的不是数据,而是产生数据的方法。

https://www.bilibili.com/video/BV1Fb411L7d8/?spm_id_from=autoNext

class MyNumbers:
  def __iter__(self):
    self.a = 1
    return self
 
  def __next__(self):
    x = self.a
    self.a += 1
    return x
 
myclass = MyNumbers()
myiter = iter(myclass)
print(next(myiter))
print(next(myiter))

之前没懂,看完下面这个例子终于懂了:

class Fib():
	"""什么样的对象对能被iterater?只要将下面两个方法定义好就可以了,就可以被for循化"""
	def __init__(self):
		self.a,self.b = 0, 1

	def __iter__(self):
		return self

	def __next__(self):
		self.a, self.b = self.b, self.a + self.b
		return self.a


fib = Fib()
for i in fib:
	if i>100:
		break
	print(i)
		

这个视频解释得很好:https://www.bilibili.com/video/av50369911/

十二、生成器
是一种特殊的迭代器。
将推导列表的方括号变成圆括号,就是生成器。用yield。
g= (x** for x in range(10))

import sys
 
def fibonacci(n): # 生成器函数 - 斐波那契
    a, b, counter = 0, 1, 0
    while True:
        if (counter > n): 
            return
        yield a
        a, b = b, a + b
        counter += 1
f = fibonacci(10) # f 是一个迭代器,由生成器返回生成
 
while True:
    try:
        print (next(f), end=" ")
    except StopIteration:
        sys.exit()

结果:
“0 1 1 2 3 5 8 13 21 34 55”

十三、闭包
看了很多说明,还是没有说明白的,后来看了这个视频懂了:闭包就是外面的函数返回里面的函数的地址。
https://www.bilibili.com/video/BV1k7411i7oy?p=240

十三、其他
1.列表生成式
[stock for stock in tohold if stock not in context.portfolio.positions ]

十四、股票权重生成器

十五、处理时间格式
将“201902251030”的时间格式转化为“2010-02-25 10:30”的形式

=df['candel_end_time'].apply(lambda x: '%s-%s-%s' %s:%s) % (x[0:4],x[4:6],x[6:8],x[8:10],x[10:12])

十六、sys.argv[0] 表示脚本名

import sys

print '参数个数为:', len(sys.argv), '个参数。'
print '参数列表:', str(sys.argv)

输出结果为:

$ python test.py arg1 arg2 arg3
参数个数为: 4 个参数。
参数列表: ['test.py', 'arg1', 'arg2', 'arg3']

十七、 if写成一行,采集的时候,比如要写两个采集规则的时候可以使用。

a = []

b = 5

c = a if a else b
print(c)

执行结果为5。

暧昧帖

本文暂无标签

发表评论

*

*