threading模块是Python里面常用的线程模块,多线程处理任务对于提升效率非常重要,先说一下线程和进程的各种区别,如图

概括起来就是

IO密集型(不用CPU)    多线程计算密集型(用CPU)    多进程使用线程和进程的目的都是为了提升效率(1)单进程单线程,主进程、主线程(2)自定义线程:        主进程            主线程            子线程

  

 

2、threading模块可以创建多个线程,不过由于GIL锁的存在,Python在多线程里面其实是快速切换,下面代码是创建线程的简单体验

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
import time
import threading
def f0():
    pass
def f1(a1,a2):
    time.sleep(5)
    f0()
'''下面代码是直接运行下去的,不会等待函数里面设定的sleep'''
t= threading.Thread(target=f1,args=(111,112))#创建线程
t.setDaemon(True)#设置为后台线程,这里默认是False,设置为True之后则主线程不用等待子线程
t.start()#开启线程
= threading.Thread(target=f1, args=(111112))
t.start()
= threading.Thread(target=f1, args=(111112))
t.start()
#默认情况下程序会等线程全部执行完毕才停止的,不过可以设置更改为后台线程,使主线程不等待子线程,主线程结束则全部结束

  在线程里面setDaemon()和join()方法都是常用的,他们的区别如下

(1)join ()方法:主线程A中,创建了子线程B,并且在主线程A中调用了B.join(),那么,主线程A会在调用的地方等待,直到子线程B完成操作后,

才可以接着往下执行,那么在调用这个线程时可以使用被调用线程的join方法。join([timeout]) 里面的参数时可选的,代表线程运行的最大时

间,即如果超过这个时间,不管这个此线程有没有执行完毕都会被回收,然后主线程或函数都会接着执行的,如果线程执行时间小于参数表示的

时间,则接着执行,不用一定要等待到参数表示的时间。

(2)setDaemon()方法。主线程A中,创建了子线程B,并且在主线程A中调用了B.setDaemon(),这个的意思是,把主线程A设置为守护线程,这

时候,要是主线程A执行结束了,就不管子线程B是否完成,一并和主线程A退出.这就是setDaemon方法的含义,这基本和join是相反的。此外,还有

个要特别注意的:必须在start() 方法调用之前设置,如果不设置为守护线程,程序会被无限挂起,只有等待了所有线程结束它才结束。

3、Python多线程里面的锁的

在多线程处理任务的时候,在同时操作一个数据的时候可能会造成脏数据,这时候就出现了锁的概念,也就是有一个线程在操作该数据的时候,就把

该数据锁上,防止别的线程操作,操作完了再释放锁。

4、Python多线程里面的event方法

该方法的具体用法是给线程设置红绿灯,红灯表示停,绿灯表示运行,如代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
import threading
import time
def do(event):
    print('start')
    event.wait()#红灯,所有线程执行都这里都在等待
    print('end')
event_obj = threading.Event()#创建一个事件
for in range(10):#创建10个线程
    t= threading.Thread(target=do,args=(event_obj,))
    t.start()
time.sleep(5)
event_obj.clear()#让灯变红,默认也是红的,阻塞所有线程运行
data= input('请输入要:')
if data =='True':
    event_obj.set()#变绿灯

Python3 线程中常用的两个模块为:

  • _thread
  • threading(推荐使用)

thread 模块已被废弃。用户可以使用 threading 模块代替。所以,在 Python3 中不能再使用"thread" 模块。为了兼容性,Python3 将 thread 重命名为 "_thread"。

什么是线程

    线程是CPU分配资源的基本单位。但一个程序开始运行,这个程序就变成了一个进程,而一个进程相当于一个或者多个线程。当没有多线程编程时,一个进程也是一个主线程,但有多线程编程时,一个进程包含多个线程,包括主线程。使用线程可以实现程序的并发。

下面将介绍threading模块常用方法:

1. threading.Lock()

如果多个线程共同对某个数据修改,则可能出现不可预料的结果,为了保证数据的正确性,需要对多个线程进行同步。

使用 Thread 对象的 Lock 和 Rlock 可以实现简单的线程同步,这两个对象都有 acquire 方法和 release 方法,对于那些需要每次只允许一个线程操作的数据,可以将其操作放到 acquire 和 release 方法之间。

来看看多个线程同时操作一个变量怎么把内容给改乱了(在windows下不会出现内容混乱情况,可能python在Windows下自动加上锁了;不过在Linux 下可以测试出内容会被改乱):

#!/usr/bin/env python3import time, threading# 假定这是你的银行存款:
balance = 0def change_it(n):# 先存后取,结果应该为0:global balancebalance = balance + nbalance = balance - ndef run_thread(n):for i in range(100000):change_it(n)t1 = threading.Thread(target=run_thread, args=(5,))
t2 = threading.Thread(target=run_thread, args=(8,))
t1.start()
t2.start()
t1.join()
t2.join()
print(balance)
执行结果:
[root@localhost ~]# python3 thread_lock.py
5
[root@localhost ~]# python3 thread_lock.py
5
[root@localhost ~]# python3 thread_lock.py
0
[root@localhost ~]# python3 thread_lock.py
8
[root@localhost ~]# python3 thread_lock.py
-8
[root@localhost ~]# python3 thread_lock.py
5
[root@localhost ~]# python3 thread_lock.py
-8
[root@localhost ~]# python3 thread_lock.py
3
[root@localhost ~]# python3 thread_lock.py
5

我们定义了一个共享变量balance,初始值为0,并且启动两个线程,先存后取,理论上结果应该为0,但是,由于线程的调度是由操作系统决定的,当t1、t2交替执行时,只要循环次数足够多,balance的结果就不一定是0了。

如果我们要确保balance计算正确,就要给change_it()上一把锁,当某个线程开始执行change_it()时,我们说,该线程因为获得了锁,因此其他线程不能同时执行change_it(),只能等待,直到锁被释放后,获得该锁以后才能改。由于锁只有一个,无论多少线程,同一时刻最多只有一个线程持有该锁,所以,不会造成修改的冲突。创建一个锁就是通过threading.Lock()来实现:

#!/usr/bin/env python3import time, threadingbalance = 0
lock = threading.Lock()def change_it(n):# 先存后取,结果应该为0:global balancebalance = balance + nbalance = balance - ndef run_thread(n):for i in range(100000):# 先要获取锁:lock.acquire()try:# 放心地改吧:change_it(n)finally:# 改完了一定要释放锁:lock.release()
t1 = threading.Thread(target=run_thread, args=(5,))
t2 = threading.Thread(target=run_thread, args=(8,))
t1.start()
t2.start()
t1.join()
t2.join()
print(balance)
执行结果:
[root@localhost ~]# python3 thread_lock.py
0
[root@localhost ~]# python3 thread_lock.py
0
[root@localhost ~]# python3 thread_lock.py
0
[root@localhost ~]# python3 thread_lock.py
0
[root@localhost ~]# python3 thread_lock.py
0
[root@localhost ~]# python3 thread_lock.py
0

当多个线程同时执行lock.acquire()时,只有一个线程能成功地获取锁,然后继续执行代码,其他线程就继续等待直到获得锁为止。

获得锁的线程用完后一定要释放锁,否则那些苦苦等待锁的线程将永远等待下去,成为死线程。所以我们用try...finally来确保锁一定会被释放。

锁的好处就是确保了某段关键代码只能由一个线程从头到尾完整地执行,坏处当然也很多,首先是阻止了多线程并发执行,包含锁的某段代码实际上只能以单线程模式执行,效率就大大地下降了。其次,由于可以存在多个锁,不同的线程持有不同的锁,并试图获取对方持有的锁时,可能会造成死锁,导致多个线程全部挂起,既不能执行,也无法结束,只能靠操作系统强制终止。

2. threading.Rlock()

RLock允许在同一线程中被多次acquire。而Lock却不允许这种情况。注意:如果使用RLock,那么acquire和release必须成对出现,即调用了n次acquire,必须调用n次的release才能真正释放所占用的琐。

import threading
lock = threading.Lock()
#Lock对象
lock.acquire()
lock.acquire()
#产生了死琐。
lock.release()
lock.release()import threading
rLock = threading.RLock()
#RLock对象
rLock.acquire()
rLock.acquire()
#在同一线程内,程序不会堵塞。
rLock.release()
rLock.release()

3. threading.Condition()

可以把Condiftion理解为一把高级的琐,它提供了比Lock, RLock更高级的功能,允许我们能够控制复杂的线程同步问题。threadiong.Condition在内部维护一个琐对象(默认是RLock),可以在创建Condigtion对象的时候把琐对象作为参数传入。Condition也提供了acquire, release方法,其含义与琐的acquire, release方法一致,其实它只是简单的调用内部琐对象的对应的方法而已。Condition还提供wait方法、notify方法、notifyAll方法(特别要注意:这些方法只有在占用琐(acquire)之后才能调用,否则将会报RuntimeError异常。):

acquire()/release():获得/释放 Lock

wait([timeout]):线程挂起,直到收到一个notify通知或者超时(可选的,浮点数,单位是秒s)才会被唤醒继续运行。wait()必须在已获得Lock前提下才能调用,否则会触发RuntimeError。调用wait()会释放Lock,直至该线程被Notify()、NotifyAll()或者超时线程又重新获得Lock.

notify(n=1):通知其他线程,那些挂起的线程接到这个通知之后会开始运行,默认是通知一个正等待该condition的线程,最多则唤醒n个等待的线程。notify()必须在已获得Lock前提下才能调用,否则会触发RuntimeError。notify()不会主动释放Lock。

notifyAll(): 如果wait状态线程比较多,notifyAll的作用就是通知所有线程(这个一般用得少)

现在写个捉迷藏的游戏来具体介绍threading.Condition的基本使用。假设这个游戏由两个人来玩,一个藏(Hider),一个找(Seeker)。游戏的规则如下:1. 游戏开始之后,Seeker先把自己眼睛蒙上,蒙上眼睛后,就通知Hider;2. Hider接收通知后开始找地方将自己藏起来,藏好之后,再通知Seeker可以找了; 3. Seeker接收到通知之后,就开始找Hider。Hider和Seeker都是独立的个体,在程序中用两个独立的线程来表示,在游戏过程中,两者之间的行为有一定的时序关系,我们通过Condition来控制这种时序关系。

#!/usr/bin/python3.4
# -*- coding: utf-8 -*-import threading, timedef Seeker(cond, name):time.sleep(2)cond.acquire()print('%s :我已经把眼睛蒙上了!'% name)cond.notify()cond.wait()for i in range(3):print('%s is finding!!!'% name)time.sleep(2)cond.notify()cond.release()print('%s :我赢了!'% name)def Hider(cond, name):cond.acquire()cond.wait()for i in range(2):print('%s is hiding!!!'% name)time.sleep(3)print('%s :我已经藏好了,你快来找我吧!'% name)cond.notify()cond.wait()cond.release()print('%s :被你找到了,唉~^~!'% name)if __name__ == '__main__':cond = threading.Condition()seeker = threading.Thread(target=Seeker, args=(cond, 'seeker'))hider = threading.Thread(target=Hider, args=(cond, 'hider'))seeker.start()hider.start()
执行结果:
seeker :我已经把眼睛蒙上了!
hider is hiding!!!
hider is hiding!!!
hider :我已经藏好了,你快来找我吧!
seeker is finding!!!
seeker is finding!!!
seeker is finding!!!
seeker :我赢了!
hider :被你找到了,唉~^~!

上面不同颜色的notify和wait一一对应关系,通知--->等待;等待--->通知

4. threading.Semaphore和BoundedSemaphore

Semaphore:Semaphore 在内部管理着一个计数器。调用 acquire() 会使这个计数器 -1,release() 则是+1(可以多次release(),所以计数器的值理论上可以无限).计数器的值永远不会小于 0,当计数器到 0 时,再调用 acquire() 就会阻塞,直到其他线程来调用release()

import threading, timedef run(n):# 获得信号量,信号量减一semaphore.acquire()time.sleep(1)print("run the thread: %s" % n)# 释放信号量,信号量加一semaphore.release()#semaphore.release()    # 可以多次释放信号量,每次释放计数器+1#semaphore.release()    # 可以多次释放信号量,每次释放计数器+1if __name__ == '__main__':num = 0semaphore = threading.Semaphore(2)  # 最多允许2个线程同时运行(即计数器值);在多次释放信号量后,计数器值增加后每次可以运行的线程数也会增加for i in range(20):t = threading.Thread(target=run, args=(i,))t.start()while threading.active_count() != 1:pass  # print threading.active_count()
else:print('----all threads done---')print(num)

BoundedSemaphore:类似于Semaphore;不同在于BoundedSemaphore 会检查内部计数器的值,并保证它不会大于初始值,如果超了,就引发一个 ValueError。多数情况下,semaphore 用于守护限制访问(但不限于 1)的资源,如果 semaphore 被 release() 过多次,这意味着存在 bug

import threading, timedef run(n):semaphore.acquire()time.sleep(1)print("run the thread: %s" % n)semaphore.release()# 如果再次释放信号量,信号量加一,这是超过限定的信号量数目,这时会报错ValueError: Semaphore released too many times#semaphore.release()if __name__ == '__main__':num = 0semaphore = threading.BoundedSemaphore(2)  # 最多允许2个线程同时运行for i in range(20):t = threading.Thread(target=run, args=(i,))t.start()while threading.active_count() != 1:pass  # print threading.active_count()
else:print('----all threads done---')print(num)

5. threading.Event

事件处理的机制:全局定义了一个“Flag”,如果“Flag”值为 False,那么当程序执行 event.wait 方法时就会阻塞;如果“Flag”值为True,那么执行event.wait 方法时便不再阻塞。

clear:将“Flag”设置为False
    set:将“Flag”设置为True
    用 threading.Event 实现线程间通信,使用threading.Event可以使一个线程等待其他线程的通知,我们把这个Event传递到线程对象中,

Event默认内置了一个标志,初始值为False。一旦该线程通过wait()方法进入等待状态,直到另一个线程调用该Event的set()方法将内置标志设置为True时,该Event会通知所有等待状态的线程恢复运行。

通过Event来实现两个或多个线程间的交互,下面是一个红绿灯的例子,即起动一个线程做交通指挥灯,生成几个线程做车辆,车辆行驶按红灯停,绿灯行的规则。

import threading, time
import randomdef light():if not event.isSet():    #初始化evet的flag为真event.set()    #wait就不阻塞 #绿灯状态count = 0while True:if count < 10:print('\033[42;1m---green light on---\033[0m')elif count < 13:print('\033[43;1m---yellow light on---\033[0m')elif count < 20:if event.isSet():event.clear()print('\033[41;1m---red light on---\033[0m')else:count = 0event.set()    #打开绿灯time.sleep(1)count += 1def car(n):while 1:time.sleep(random.randrange(3, 10))#print(event.isSet())if event.isSet():print("car [%s] is running..." % n)else:print('car [%s] is waiting for the red light...' % n)event.wait()    #红灯状态下调用wait方法阻塞,汽车等待状态if __name__ == '__main__':car_list = ['BMW', 'AUDI', 'SANTANA']event = threading.Event()Light = threading.Thread(target=light)Light.start()for i in car_list:t = threading.Thread(target=car, args=(i,))t.start()

6. threading.active_count()

返回当前存活的线程对象的数量;通过计算len(threading.enumerate())长度而来

The returned count is equal to the length of the list returned by enumerate().

import threading, timedef run():thread = threading.current_thread()print('%s is running...'% thread.getName())    #返回线程名称time.sleep(10)    #休眠10S方便统计存活线程数量if __name__ == '__main__':#print('The current number of threads is: %s' % threading.active_count())for i in range(10):print('The current number of threads is: %s' % threading.active_count())    #返回当前存活线程数量thread_alive = threading.Thread(target=run, name='Thread-***%s***' % i)thread_alive.start()thread_alive.join()print('\n%s thread is done...'% threading.current_thread().getName())

7. threading.current_thread()

Return the current Thread object, corresponding to the caller's thread of control.

返回当前线程对象

>>> threading.current_thread
<function current_thread at 0x00000000029F6C80>
>>> threading.current_thread()
<_MainThread(MainThread, started 4912)>
>>> type(threading.current_thread())
<class 'threading._MainThread'>

继承线程threading方法;通过help(threading.current_thread())查看。

import threading, timedef run(n):thread = threading.current_thread()thread.setName('Thread-***%s***' % n)    #自定义线程名称print('-'*30)print("Pid is :%s" % thread.ident)  # 返回线程pid#print('ThreadName is :%s' % thread.name)  # 返回线程名称print('ThreadName is :%s'% thread.getName())    #返回线程名称time.sleep(2)if __name__ == '__main__':#print('The current number of threads is: %s' % threading.active_count())for i in range(3):#print('The current number of threads is: %s' % threading.active_count())    #返回当前存活线程数量thread_alive = threading.Thread(target=run, args=(i,))thread_alive.start()thread_alive.join()print('\n%s thread is done...'% threading.current_thread().getName())
执行结果:
Pid is :11792
ThreadName is :Thread-***0***
------------------------------
Pid is :12124
ThreadName is :Thread-***1***
------------------------------
Pid is :11060
ThreadName is :Thread-***2***MainThread thread is done...

8. threading.enumerate()

Return a list of all Thread objects currently alive

返回当前存在的所有线程对象的列表

import threading, timedef run(n):thread = threading.current_thread()thread.setName('Thread-***%s***' % n)print('-'*30)print("Pid is :%s" % thread.ident)  # 返回线程pid#print('ThreadName is :%s' % thread.name)  # 返回线程名称print('ThreadName is :%s'% threading.enumerate())    #返回所有线程对象列表time.sleep(2)if __name__ == '__main__':#print('The current number of threads is: %s' % threading.active_count())threading.main_thread().setName('Chengd---python')for i in range(3):#print('The current number of threads is: %s' % threading.active_count())    #返回当前存活线程数量thread_alive = threading.Thread(target=run, args=(i,))thread_alive.start()thread_alive.join()print('\n%s thread is done...'% threading.current_thread().getName())
执行结果:
Pid is :12096
ThreadName is :[<_MainThread(Chengd---python, started 12228)>, <Thread(Thread-***0***, started 12096)>, <Thread(Thread-2, initial)>]
------------------------------
Pid is :10328
ThreadName is :[<_MainThread(Chengd---python, started 12228)>, <Thread(Thread-***0***, started 12096)>, <Thread(Thread-***1***, started 10328)>, <Thread(Thread-3, initial)>]
------------------------------
Pid is :6032
ThreadName is :[<_MainThread(Chengd---python, started 12228)>, <Thread(Thread-***0***, started 12096)>, <Thread(Thread-***1***, started 10328)>, <Thread(Thread-***2***, started 6032)>]Chengd---python thread is done...

9.threading.get_ident()

返回线程pid

import threading, timedef run(n):print('-'*30)print("Pid is :%s" % threading.get_ident())  # 返回线程pidif __name__ == '__main__':threading.main_thread().setName('Chengd---python')    #自定义线程名for i in range(3):thread_alive = threading.Thread(target=run, args=(i,))thread_alive.start()thread_alive.join()print('\n%s thread is done...'% threading.current_thread().getName())    #获取线程名

10. threading.main_thread()

返回主线程对象,类似 threading.current_thread();只不过一个是返回当前线程对象,一个是返回主线程对象

import threading, timedef run(n):print('-'*30)print("Now Pid is :%s" % threading.current_thread().ident)  # 返回当前线程pidprint("Main Pid is :%s" % threading.main_thread().ident)  # 返回主线程pidprint('Now thread is %s...' % threading.current_thread().getName())  # 获取当前线程名print('Main thread is %s...' % threading.main_thread().getName())  # 获取主线程线程名if __name__ == '__main__':threading.main_thread().setName('Chengd---python')    #自定义线程名for i in range(3):thread_alive = threading.Thread(target=run, args=(i,))thread_alive.start()time.sleep(2)thread_alive.join()
执行结果:
------------------------------
Now Pid is :8984
Main Pid is :3992
Now thread is Thread-1...
Main thread is Chengd---python...
------------------------------
Now Pid is :4828
Main Pid is :3992
Now thread is Thread-2...
Main thread is Chengd---python...
------------------------------
Now Pid is :12080
Main Pid is :3992
Now thread is Thread-3...
Main thread is Chengd---python...

廖大线程讲解

线程常用模块方法

多线程之Condition()

python—threading.Semaphore和BoundedSemaphore

python 多线程之信号机Semaphore示例

alex线程讲解

转载于:https://www.cnblogs.com/klb561/p/10759477.html

Python-----多线程threading用法相关推荐

  1. Python多线程threading用法

    Python里面经常会用到多线程,即所有的方法在同一时间开始运行,而不是按顺序一个一 个运行.所用到的模块为threading,下面详解threading用法. 我们写三个方法,one.two.thr ...

  2. Python多线程threading和多进程multiprocessing的区别及代码实现

    1. 多线程threading import time from threading import Threaddef thread_read(data):while True:print('read ...

  3. python多线程threading之阻塞线程(join)线程同步和守护线程(setDaemon(True))实例详解

    一.多线程(主线程和子线程同时执行) 1.主线程是程序本身,看不到的,主线程和子线程没有依赖关系,同步执行的,若主线程先执行完,会等子线程执行完毕,程序结束 2.启动一个线程就是把一个函数传入并创建T ...

  4. Python多线程 Threading

    1.介绍 多线程是加速程序计算的有效方式,Python的多线程模块threading上手快速简单,从这节开始我们就教大家如何使用它. 2.添加线程 本节我们来学习threading模块的一些基本操作, ...

  5. python多线程threading

    本文通过 4个example 介绍python中多线程package -- threading的常用用法, 包括调用多线程, 同步队列类Queue, Ctrl+c结束多线程. example1. 调用 ...

  6. 21天学习挑战赛——Python多线程(threading模块)

    ​ 目录 ​1.多任务概述 2. threading 模块 2.1 Thread类 2.2 threading.Thread 用法举例: 2.2.1 单线程举例 2.2.2 使用 threading ...

  7. Python 多线程 threading.Thread 同时最多有 n 个线程

    Regular无限多线程 import threading import numpy as np import timeclass BuildThread(threading.Thread):def ...

  8. python100以内的质数_[Python]多线程threading — 100以内素数的查找 | 学步园

    使用threading的继承Treading的方法 #coding:utf8 ''' def isprime(m): #质数是指只能被1和它本身整除的数 for i in range(2, m/2+1 ...

  9. python 多线程 模块_Python多线程threading和multiprocessing模块实例解析

    本文研究的主要是Python多线程threading和multiprocessing模块的相关内容,具体介绍如下. 线程是一个进程的实体,是由表示程序运行状态的寄存器(如程序计数器.栈指针)以及堆栈组 ...

  10. Python多线程编程(一):threading 模块 Thread 类的用法详解

    我们进行程序开发的时候,肯定避免不了要处理并发的情况. 一般并发的手段有采用多进程和多线程. 但线程比进程更轻量化,系统开销一般也更低,所以大家更倾向于用多线程的方式处理并发的情况. Python 提 ...

最新文章

  1. 360金融沈赟:只有适配实践的技术才能实现价值掘金
  2. [转]100个常用的linux命令
  3. leetcode算法题--最长公共前缀
  4. 原生javascript
  5. 7-45 航空公司VIP客户查询 (25 分)(思路+详解+map用法解释+超时解决)兄弟们来呀冲压呀呀呀呀
  6. C++ 学习基础篇(一)—— C++与C 的区别
  7. php 购物车封装代码,PHP中封装Redis购物车功能
  8. MPC(模型预测控制)之二(路径规划)
  9. Leecode-2 Add Two Numbers
  10. 14-STM32F1 iic 24c02
  11. 为什么计算机上面没有桌面,请问为什么右击电脑桌面上的图标没有打开的选项,只有添加到压缩文件,双击才能进去?...
  12. 如何进行宽带测速,教程来啦!怎样在电脑上对宽带进行测速?
  13. 《Python知识手册》V2.1版,高清PDF免费获取
  14. git创建本地代码库
  15. 国产硬件防火墙横向对比
  16. 近期活动盘点:个人消费信贷与风险控制讲座、清华大学教育大数据论坛
  17. gcc/g++ 优化标识 -O1 -O2 -O3 -Os -Ofast -Og的作用
  18. 浅谈在制造业中建设MES系统的成效
  19. divgrad怎么求_[怎样理解圆柱坐标系和球坐标系求梯度.散度]球坐标系梯度如何求...
  20. 查找论文对应开源代码的神器 Papers with Code

热门文章

  1. STM32-I2C总线驱动程序分析
  2. 时钟,复位和电源管理
  3. java迭代器创建后mutx锁,多线程编程(10) - 多线程同步之 Mutex (互斥对象)
  4. python 关闭exe程序进程
  5. 【ES6】异步操作和async函数
  6. 统计学习导论 Chapter8 -- Tree-Based Methods
  7. Ubuntu18.04安装keras(tensorflow)从无到有实录
  8. php趣味小程序,php常用小程序
  9. oracle中ddl中enable,oracle 禁用表的DDL 实现真正的READ ONLY
  10. 命令模式的优点?_一篇目录复习完设计模式