亚洲乱码中文字幕综合,中国熟女仑乱hd,亚洲精品乱拍国产一区二区三区,一本大道卡一卡二卡三乱码全集资源,又粗又黄又硬又爽的免费视频

Python中的線程操作模塊(oncurrent)

 更新時間:2022年05月30日 14:26:46   作者:springsnow  
這篇文章介紹了Python中的線程操作模塊(oncurrent),文中通過示例代碼介紹的非常詳細。對大家的學習或工作具有一定的參考借鑒價值,需要的朋友可以參考下

進程是cpu資源分配的最小單元,一個進程中可以有多個線程。

線程是cpu計算的最小單元。

對于Python來說他的進程和線程和其他語言有差異,是有GIL鎖。

GIL鎖

GIL鎖保證一個進程中同一時刻只有一個線程被cpu調(diào)度。

GIL鎖,全局解釋器鎖。用于限制一個進程中同一時刻只有一個線程被cpu調(diào)度。
擴展:默認GIL鎖在執(zhí)行100個cpu指令(過期時間)。
查看GIL切換的指令個數(shù)

import sys
v1 = sys。getcheckinterval()
print(v1)

一、通過threading.Thread類創(chuàng)建線程

1、 創(chuàng)建線程的方式:直接使用Thread

from threading import Thread 
import time 

def sayhi(name):
    time.sleep(2)
    print('%s say hello' %name)

if __name__ == '__main__':
    t=Thread(target=sayhi,args=('nick',))
    t.start()
    print('主線程')

2、 創(chuàng)建線程的方式:繼承Thread

from threading import Thread
import time
class Sayhi(Thread):
    def __init__(self,name):
        super().__init__()
        self.name=name
def run(self):
        time.sleep(2)
        print('%s say hello' % self.name)


if __name__ == '__main__':
    t = Sayhi('nick')
    t.start()
    print('主線程')

二、多線程與多進程

1、 pid的比較

from threading import Thread
from multiprocessing import Process
import os

def work():
    print('hello',os.getpid())

if __name__ == '__main__':
    # part1:在主進程下開啟多個線程,每個線程都跟主進程的pid一樣
    t1=Thread(target=work)
    t2=Thread(target=work)
    t1.start()
    t2.start()
    print('主線程/主進程pid',os.getpid())

    # part2:開多個進程,每個進程都有不同的pid
    p1=Process(target=work)
    p2=Process(target=work)
    p1.start()
    p2.start()
    print('主線程/主進程pid',os.getpid())

2、 開啟效率的較量

from threading import Thread
from multiprocessing import Process
import os

def work():
    print('hello')

if __name__ == '__main__':
    # 在主進程下開啟線程
    t=thread(target=work)
    t.start()
    print('主線程/主進程')
    '''
    打印結(jié)果:
    hello
    主線程/主進程
    '''

    # 在主進程下開啟子進程
    t=Process(target=work)
    t.start()
    print('主線程/主進程')
    '''
    打印結(jié)果:
    主線程/主進程
    hello
    '''

3、 內(nèi)存數(shù)據(jù)的共享問題

from  threading import Thread
from multiprocessing import Process
import os
def work():
    global n
    n=0

if __name__ == '__main__':
    # n=100
    # p=Process(target=work)
    # p.start()
    # p.join()
    # print('主',n) # 毫無疑問子進程p已經(jīng)將自己的全局的n改成了0,但改的僅僅是它自己的,查看父進程的n仍然為100


    n=1
    t=Thread(target=work)
    t.start()
    t.join()
    print('主',n) # 查看結(jié)果為0,因為同一進程內(nèi)的線程之間共享進程內(nèi)的數(shù)據(jù)

三、Thread類的其他方法

Thread實例對象的方法:

  • isAlive():返回線程是否活動的。
  • getName():返回線程名。
  • setName():設置線程名。

threading模塊提供的一些方法:

  • threading.currentThread():返回當前的線程變量。
  • threading.enumerate():返回一個包含正在運行的線程的list。正在運行指線程啟動后、結(jié)束前,不包括啟動前和終止后的線程。
  • threading.activeCount():返回正在運行的線程數(shù)量,與len(threading.enumerate())有相同的結(jié)果。

1、 代碼示例

from threading import Thread
import threading
from multiprocessing import Process
import os

def work():
    import time
    time.sleep(3)
    print(threading.current_thread().getName())


if __name__ == '__main__':
    # 在主進程下開啟線程
    t=Thread(target=work)
    t.start()

    print(threading.current_thread().getName())
    print(threading.current_thread())
 # 主線程
    print(threading.enumerate())
 # 連同主線程在內(nèi)有兩個運行的線程
    print(threading.active_count())
    print('主線程/主進程')

    '''
    打印結(jié)果:
    MainThread
    <_MainThread(MainThread, started 140735268892672)>
    [<_MainThread(MainThread, started 140735268892672)>, <Thread(Thread-1, started 123145307557888)>]
    主線程/主進程
    Thread-1
    '''

2、 join方法

from threading import Thread
import time
def sayhi(name):
    time.sleep(2)
    print('%s say hello' %name)

if __name__ == '__main__':
    t=Thread(target=sayhi,args=('nick',))
    t.start()
    t.join()
    print('主線程')
    print(t.is_alive())
'''
    nick say hello
    主線程
    False
    '''

四、多線程實現(xiàn)socket

import multiprocessing
import threading

import socket
s=socket.socket(socket.AF_INET,socket.SOCK_STREAM)
s.bind(('127.0.0.1',8080))
s.listen(5)

def action(conn):
    while True:
        data=conn.recv(1024)
        print(data)
        conn.send(data.upper())

if __name__ == '__main__':

    while True:
        conn,addr=s.accept()

        p=threading.Thread(target=action,args=(conn,))
        p.start()

五、守護線程

無論是進程還是線程,都遵循:守護xx會等待主xx運行完畢后被銷毀。需要強調(diào)的是:運行完畢并非終止運行。

  • 對主進程來說,運行完畢指的是主進程代碼運行完畢
  • 對主線程來說,運行完畢指的是主線程所在的進程內(nèi)所有非守護線程統(tǒng)統(tǒng)運行完畢,主線程才算運行完畢

1、 詳細解釋

  • 主進程在其代碼結(jié)束后就已經(jīng)算運行完畢了(守護進程在此時就被回收),然后主進程會一直等非守護的子進程都運行完畢后回收子進程的資源(否則會產(chǎn)生僵尸進程),才會結(jié)束。

  • 主線程在其他非守護線程運行完畢后才算運行完畢(守護線程在此時就被回收)。因為主線程的結(jié)束意味著進程的結(jié)束,進程整體的資源都將被回收,而進程必須保證非守護線程都運行完畢后才能結(jié)束。

2、 守護線程例

from threading import Thread
import time


def foo():
    print(123)
    time.sleep(10)
    print("end123")


def bar():
    print(456)
    time.sleep(10)
    print("end456")


t1 = Thread(target=foo)
t2 = Thread(target=bar)

t1.daemon= True #必須在t.start()之前設置
# t1.setDaemon(True)

t1.start()
t2.start()
print("main-------")
print(t1.is_alive())
# 123
# 456
# main-------
# end456

六、同步鎖

1、 多個線程搶占資源的情況

from threading import Thread
import os,time
def work():
    

global n temp=n 
time.sleep(0.1) 
n=temp-1 

if __name__ == '__main__':
    n=100


    l=[]
    for i in range(100):
        p=Thread(target=work)
        l.append(p)
        p.start()
    for p in l:
        p.join()

    print(n) #結(jié)果可能為99

2、同步鎖的引用

對公共數(shù)據(jù)的操作

import threading

R=threading.Lock()
R.acquire()
'''
對公共數(shù)據(jù)的操作
'''
R.release()

3、實例

不加鎖:并發(fā)執(zhí)行,速度快,數(shù)據(jù)不安全

from threading import current_thread,Thread,Lock
import os,time
def task():
    global n
    print('%s is running' %current_thread().getName())
    temp=n
    time.sleep(0.5)
    n=temp-1


if __name__ == '__main__':
    n=100
    lock=Lock()
    threads=[]
    start_time=time.time()
    for i in range(100):
        t=Thread(target=task)
        threads.append(t)
        t.start()
    for t in threads:
        t.join()

    stop_time=time.time()
    print('主:%s n:%s' %(stop_time-start_time,n))

'''
Thread-1 is running
Thread-2 is running
......
Thread-100 is running
主:0.5216062068939209 n:99
'''

加鎖:未加鎖部分并發(fā)執(zhí)行,加鎖部分串行執(zhí)行,速度慢,數(shù)據(jù)安全

from threading import current_thread,Thread,Lock
import os,time
def task():
    #未加鎖的代碼并發(fā)運行
    time.sleep(3)
    print('%s start to run' %current_thread().getName())
    global n
    #加鎖的代碼串行運行
    lock.acquire()
    temp=n
    time.sleep(0.5)
    n=temp-1
    lock.release()

if __name__ == '__main__':
    n=100
    lock=Lock()
    threads=[]
    start_time=time.time()
    for i in range(100):
        t=Thread(target=task)
        threads.append(t)
        t.start()
    for t in threads:
        t.join()
    stop_time=time.time()
    print('主:%s n:%s' %(stop_time-start_time,n))

'''
Thread-1 is running
Thread-2 is running
......
Thread-100 is running
主:53.294203758239746 n:0
'''

七、死鎖與遞歸鎖

所謂死鎖:是指兩個或兩個以上的進程或線程在執(zhí)行過程中,因爭奪資源而造成的一種互相等待的現(xiàn)象,若無外力作用,它們都將無法推進下去。此時稱系統(tǒng)處于死鎖狀態(tài)或系統(tǒng)產(chǎn)生了死鎖,這些永遠在互相等待的進程稱為死鎖進程,如下就是死鎖

1、 死鎖

from threading import Lock as Lock
import time

mutexA=Lock()
mutexA.acquire()
mutexA.acquire()
print(123)

mutexA.release()
mutexA.release()

解決方法:遞歸鎖,在Python中為了支持在同一線程中多次請求同一資源,python提供了可重入鎖RLock。

2、 遞歸鎖(可重入鎖)RLock

這個RLock內(nèi)部維護著一個Lock和一個counter變量,counter記錄了acquire的次數(shù),從而使得資源可以被多次require。直到一個線程所有的acquire都被release,其他的線程才能獲得資源。上面的例子如果使用RLock代替Lock,則不會發(fā)生死鎖。

from threading import RLock as Lock
import time

mutexA=Lock()
mutexA.acquire()
mutexA.acquire()
print(123)
mutexA.release()
mutexA.release()

3、典型問題:科學家吃面

遞歸鎖解決死鎖問題

import time
from threading import Thread,RLock

fork_lock = noodle_lock = RLock()
def eat1(name):
    noodle_lock.acquire()
    print('%s 搶到了面條'%name)
    fork_lock.acquire()
    print('%s 搶到了叉子'%name)
    print('%s 吃面'%name)
    fork_lock.release()
    noodle_lock.release()

def eat2(name):
    fork_lock.acquire()
    print('%s 搶到了叉子' % name)
    time.sleep(1)
    noodle_lock.acquire()
    print('%s 搶到了面條' % name)
    print('%s 吃面' % name)
    noodle_lock.release()
    fork_lock.release()

for name in ['哪吒','nick','tank']:
    t1 = Thread(target=eat1,args=(name,))
    t2 = Thread(target=eat2,args=(name,))
    t1.start()
    t2.start()

八、線程隊列

queue隊列:使用import queue,用法與進程Queue一樣

當必須在多個線程之間安全地交換信息時,隊列在線程編程中特別有用。

1、先進先出:Queue

通過雙向列表實現(xiàn)的

class queue.Queue(maxsize=0)

import queue

q=queue.Queue()
q.put('first')
q.put('second')
q.put('third')

print(q.get())
print(q.get())
print(q.get())
'''
結(jié)果(先進先出):
first
second
third
'''

2、后進先出:LifoQueue

通過堆實現(xiàn)

class queue.LifoQueue(maxsize=0)

import queue

q=queue.LifoQueue()
q.put('first')
q.put('second')
q.put('third')

print(q.get())
print(q.get())
print(q.get())
'''
結(jié)果(后進先出):
third
second
first
'''

3、存儲數(shù)據(jù)時可設置優(yōu)先級的隊列:PriorityQueue

PriorityQueue類和LifoQueue類繼承Queue類然后重寫了_init、_qsize、_put、_get這四個類的私有方法.

通過list來實現(xiàn)的。

class queue.PriorityQueue(maxsize=0)

優(yōu)先隊列的構(gòu)造函數(shù)。maxsize是一個整數(shù),它設置可以放置在隊列中的項數(shù)的上限。一旦達到此大小,插入將阻塞,直到隊列項被使用。如果maxsize小于或等于0,則隊列大小為無窮大。

import queue

q=queue.PriorityQueue()
#put進入一個元組,元組的第一個元素是優(yōu)先級(通常是數(shù)字,也可以是非數(shù)字之間的比較),數(shù)字越小優(yōu)先級越高
q.put((20,'a'))
q.put((10,'b'))
q.put((30,'c'))

print(q.get())
print(q.get())
print(q.get())
'''
結(jié)果(數(shù)字越小優(yōu)先級越高,優(yōu)先級高的優(yōu)先出隊):
(10, 'b')
(20, 'a')
(30, 'c')
'''

更多方法說明

  • __init__(self, maxsize=0) :初始化隊列長度,maxsize為0的時候長度為無限
  • empty(self) :返回隊列是否為空
  • full(self) :返回隊列是否為滿
  • qsize(self) :返回隊列的大小(并不可靠)
  • get(self, block=True, timeout=None) :從隊頭獲取并刪除元素,block為true:timeout為None時候,阻塞當前線程直到隊列中有可用元素;timeout為非負時候,等了timeout的時間還沒有可用元素時候拋出一個Empty異常;block為false:timeout為None時候,隊列為空則拋出Empty異常;timeout為非負時候,等待timeout時候后沒有可用元素則拋出Empty異常。
  • get_nowait(self) :#返回self.get(block=False)
  • put(self, item, block=True, timeout=None): 在隊尾插入一個元素,block為true:timeout為None時候,阻塞當前線程直到隊列中有可用位置;timeout為非負時候,等了timeout時間還沒有可用位置時候拋出一個Full異常;block為false:timeout為None時候,隊列沒有位置則拋出Full異常;timeout為非負時候,等待timeout時候后還是沒有可用位置則拋出Full異常。
  • put_nowait(self, item) :返回 self.put(item, block=False)
  • join(self) :阻塞當前線程直到隊列的任務全部完成了
  • task_done(self) :通知隊列任務的完成情況,當完成時候喚醒被join阻塞的線程

九、Python標準模塊——concurrent.futures

官方文檔:https://docs.python.org/dev/library/concurrent.futures.html

1、介紹

concurrent.futures模塊提供了高度封裝的異步調(diào)用接口:

  • ThreadPoolExecutor:線程池,提供異步調(diào)用
  • ProcessPoolExecutor:進程池,提供異步調(diào)用

兩者都實現(xiàn)了由抽象Executor類定義的相同接口。

ThreadPoolExecutor(線程池)與ProcessPoolExecutor(進程池)都是concurrent.futures模塊下的,主線程(或進程)中可以獲取某一個線程(進程)執(zhí)行的狀態(tài)或者某一個任務執(zhí)行的狀態(tài)及返回值。

通過submit返回的是一個future對象,它是一個未來可期的對象,通過它可以獲悉線程的狀態(tài)。

比較:

  • 1、線程不是越多越好,會涉及cpu上下文的切換(會把上一次的記錄保存)。
  • 2、進程比線程消耗資源,進程相當于一個工廠,工廠里有很多人,里面的人共同享受著福利資源,,一個進程里默認只有一個主線程,比如:開啟程序是進程,里面執(zhí)行的是線程,線程只是一個進程創(chuàng)建多個人同時去工作。
  • 3、線程里有GIL全局解鎖器:不允許cpu調(diào)度
  • 4、計算密度型適用于多進程
  • 5、線程:線程是計算機中工作的最小單元
  • 6、進程:默認有主線程 (幫工作)可以多線程共存
  • 7、協(xié)程:一個線程,一個進程做多個任務,使用進程中一個線程去做多個任務,微線程
  • 8、GIL全局解釋器鎖:保證同一時刻只有一個線程被cpu調(diào)度

2、基本方法

  • submit(fn, *args, **kwargs):異步提交任務
  • map(func, *iterables, timeout=None, chunksize=1):取代for循環(huán)submit的操作
  • shutdown(wait=True):相當于進程池的pool.close()+pool.join()操作
    wait=True,等待池內(nèi)所有任務執(zhí)行完畢回收完資源后才繼續(xù) ,
    wait=False,立即返回,并不會等待池內(nèi)的任務執(zhí)行完畢 ,
    但不管wait參數(shù)為何值,整個程序都會等到所有任務執(zhí)行完畢 ,submit和map必須在shutdown之前。
  • result(timeout=None):取得結(jié)果
  • add_done_callback(fn):回調(diào)函數(shù)
  • done():判斷某一個線程是否完成
  • cancle():取消某個任務

3、ProcessPoolExecutor、ThreadPoolExecutor線程池

ThreadPoolExecutor構(gòu)造實例的時候,傳入max_workers參數(shù)來設置線程中最多能同時運行的線程數(shù)目 。

使用submit函數(shù)來提交線程需要執(zhí)行任務(函數(shù)名和參數(shù))到線程池中,并返回該任務的句柄(類似于文件、畫圖),注意submit()不是阻塞的,而是立即返回。

通過submit函數(shù)返回的任務句柄,能夠使用done()方法判斷該任務是否結(jié)束。

使用result()方法可以獲取任務的返回值,查看內(nèi)部代碼,發(fā)現(xiàn)這個方法是阻塞的。

對于頻繁的cpu操作,由于GIL鎖的原因,多個線程只能用一個cpu,這時多進程的執(zhí)行效率要比多線程高。

from concurrent.futures import ThreadPoolExecutor,ProcessPoolExecutor

import os,time,random
def task(n):
    print('%s is runing' %os.getpid())
    time.sleep(random.randint(1,3))
    return n**2

if __name__ == '__main__':

    executor=ProcessPoolExecutor(max_workers=3)

    futures=[]
    for i in range(11):
        future=executor.submit(task,i)
        futures.append(future)
    executor.shutdown(True)
    print('+++>')
    for future in futures:
        print(
future.result())

4、過wait()判斷線程執(zhí)行的狀態(tài):

wait方法可以讓主線程阻塞,直到滿足設定的要求。

wait(fs, timeout=None, return_when=ALL_COMPLETED),wait接受3個參數(shù),

  • s表示執(zhí)行的task序列;
  • timeout表示等待的最長時間,超過這個時間即使線程未執(zhí)行完成也將返回;
  • return_when表示wait返回結(jié)果的條件,默認為ALL_COMPLETED全部執(zhí)行完成再返回
import time
from concurrent.futures import (
    ThreadPoolExecutor, wait
)


def get_thread_time(times):
    time.sleep(times)
    return times


start = time.time()
executor = ThreadPoolExecutor(max_workers=4)
task_list = [executor.submit(get_thread_time, times) for times in [1, 2, 3, 4]]
i = 1
for task in task_list:
    print("task{}:{}".format(i, task))
    i += 1
print(wait(task_list, timeout=2.5))

# wait在2.5秒后返回線程的狀態(tài),result:
# task1:<Future at 0x7ff3c885f208 state=running>
# task2:<Future at 0x7ff3c885fb00 state=running>
# task3:<Future at 0x7ff3c764b2b0 state=running>
# task4:<Future at 0x7ff3c764b9b0 state=running>
# DoneAndNotDoneFutures(
# done={<Future at 0x7ff3c885f208 state=finished returned int>, <Future at 0x7ff3c885fb00 state=finished returned int>},
# not_done={<Future at 0x7ff3c764b2b0 state=running>, <Future at 0x7ff3c764b9b0 state=running>})
#
# 可以看到在timeout 2.5時,task1和task2執(zhí)行完畢,task3和task4仍在執(zhí)行中

4、map的用法

map(fn, *iterables, timeout=None),第一個參數(shù)fn是線程執(zhí)行的函數(shù);第二個參數(shù)接受一個可迭代對象;第三個參數(shù)timeout跟wait()的timeout一樣,但由于map是返回線程執(zhí)行的結(jié)果,如果timeout小于線程執(zhí)行時間會拋異常TimeoutError。

map的返回是有序的,它會根據(jù)第二個參數(shù)的順序返回執(zhí)行的結(jié)果:

from concurrent.futures import ThreadPoolExecutor,ProcessPoolExecutor

import os,time,random
def task(n):
    print('%s is runing' %os.getpid())
    time.sleep(random.randint(1,3))
    return n**2

if __name__ == '__main__':

    executor=ThreadPoolExecutor(max_workers=3)

    # for i in range(11):
    #     future=executor.submit(task,i)

    executor.map(task,range(1,12))

 #map取代了for+submit

5、s_completed返回線程執(zhí)行結(jié)果

上面雖然提供了判斷任務是否結(jié)束的方法,但是不能在主線程中一直判斷,有時候我們是得知某個任務結(jié)束了,就去獲取結(jié)果,而不是一直判斷每個任務有沒有結(jié)束。這是就可以使用as_completed方法一次取出所有任務的結(jié)果。

import time
from collections import OrderedDict
from concurrent.futures import (
    ThreadPoolExecutor, as_completed
)


def get_thread_time(times):
    time.sleep(times)
    return times


start = time.time()
executor = ThreadPoolExecutor(max_workers=4)
task_list = [executor.submit(get_thread_time, times) for times in [2, 3, 1, 4]]
task_to_time = OrderedDict(zip(["task1", "task2", "task3", "task4"],[2, 3, 1, 4]))
task_map = OrderedDict(zip(task_list, ["task1", "task2", "task3", "task4"]))

for result in as_completed(task_list):
    task_name = task_map.get(result)
    print("{}:{}".format(task_name,task_to_time.get(task_name)))

# task3: 1
# task1: 2
# task2: 3
# task4: 4

task1、task2、task3、task4的等待時間分別為2s、3s、1s、4s,通過as_completed返回執(zhí)行完的線程結(jié)果,as_completed(fs, timeout=None)接受2個參數(shù),第一個是執(zhí)行的線程列表,第二個參數(shù)timeout與map的timeout一樣,當timeout小于線程執(zhí)行時間會拋異常TimeoutError。

通過執(zhí)行結(jié)果可以看出,as_completed返回的順序是線程執(zhí)行結(jié)束的順序,最先執(zhí)行結(jié)束的線程最早返回。

6、回調(diào)函數(shù)

Future對象也可以像協(xié)程一樣,當它設置完成結(jié)果時,就可以立即進行回調(diào)別的函數(shù)。add_done_callback(fn),則表示 Futures 完成后,會調(diào)?fn函數(shù)。

from concurrent.futures import ThreadPoolExecutor,ProcessPoolExecutor
from multiprocessing import Pool
import requests
import json
import os

def get_page(url):
    print('<進程%s> get %s' %(os.getpid(),url))
    respone=requests.get(url)
    if respone.status_code == 200:
        return {'url':url,'text':respone.text}

def parse_page(res):
    res=res.result()
    print('<進程%s> parse %s' %(os.getpid(),res['url']))
    parse_res='url:<%s> size:[%s]\n' %(res['url'],len(res['text']))
    with open('db.txt','a') as f:
        f.write(parse_res)


if __name__ == '__main__':
    urls=[
        'https://www.baidu.com',
        'https://www.python.org',
        'https://www.openstack.org',
        'https://help.github.com/',
        'http://www.sina.com.cn/'
    ]

    # p=Pool(3)
    # for url in urls:
    #     p.apply_async(get_page,args=(url,),callback=pasrse_page)
    # p.close()
    # p.join()

    p=ProcessPoolExecutor(3)
    for url in urls:
        p.submit(get_page,url).add_done_callback(parse_page) #parse_page拿到的是一個future對象obj,需要用obj.result()拿到結(jié)果

到此這篇關(guān)于Python線程操作模塊(oncurrent)的文章就介紹到這了。希望對大家的學習有所幫助,也希望大家多多支持腳本之家。

相關(guān)文章

  • Python使用win32com.client的方法示例

    Python使用win32com.client的方法示例

    本文主要介紹了Python使用win32com.client的方法示例,文中通過示例代碼介紹的非常詳細,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧
    2023-02-02
  • python兩種遍歷字典(dict)的方法比較

    python兩種遍歷字典(dict)的方法比較

    這篇文章主要介紹了python兩種遍歷字典(dict)的方法比較,同時介紹了dict遍歷中帶括號與不帶括號的性能問題,需要的朋友可以參考下
    2014-05-05
  • python自動化之如何利用allure生成測試報告

    python自動化之如何利用allure生成測試報告

    這篇文章主要給大家介紹了關(guān)于python自動化之如何利用allure生成測試報告的相關(guān)資料,文中通過示例代碼介紹的非常詳細,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧
    2021-05-05
  • python實現(xiàn)簡單的聊天小程序

    python實現(xiàn)簡單的聊天小程序

    這篇文章主要為大家詳細介紹了python實現(xiàn)簡單的聊天小程序,文中示例代碼介紹的非常詳細,具有一定的參考價值,感興趣的小伙伴們可以參考一下
    2021-07-07
  • Python 字符串去除空格的五種方法

    Python 字符串去除空格的五種方法

    這篇文章主要介紹了Python 字符串去除空格的五種方法,文中通過示例代碼介紹的非常詳細,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧
    2021-03-03
  • 深入了解python中的常見錯誤類型與解決

    深入了解python中的常見錯誤類型與解決

    在Python編程過程中,經(jīng)常會遇到各種錯誤,了解這些錯誤的類型以及如何處理它們是成為一位優(yōu)秀的Python開發(fā)者所必備的技能之一,下面就跟隨小編一起學習一下python中的常見錯誤類型吧
    2023-11-11
  • Python?pandas.replace的用法詳解

    Python?pandas.replace的用法詳解

    在處理數(shù)據(jù)的時候,很多時候會遇到批量替換的情況,如果一個一個去修改效率過低,也容易出錯,replace()是很好的方法,下面這篇文章主要給大家介紹了關(guān)于Python?pandas.replace用法的相關(guān)資料,需要的朋友可以參考下
    2022-06-06
  • No module named 'plotly.graph_objects'報錯解決

    No module named 'plotly.graph_objects&ap

    這篇文章主要為大家介紹了No module named 'plotly.graph_objects'報錯解決,有需要的朋友可以借鑒參考下,希望能夠有所幫助,祝大家多多進步,早日升職加薪
    2022-12-12
  • pd.drop_duplicates刪除重復行的方法實現(xiàn)

    pd.drop_duplicates刪除重復行的方法實現(xiàn)

    drop_duplicates 方法實現(xiàn)對數(shù)據(jù)框 DataFrame 去除特定列的重復行,本文主要介紹了pd.drop_duplicates刪除重復行的方法實現(xiàn),文中通過示例代碼介紹的非常詳細,具有一定的參考價值,感興趣的小伙伴們可以參考一下
    2022-06-06
  • pycharm設置當前工作目錄的操作(working directory)

    pycharm設置當前工作目錄的操作(working directory)

    今天小編就為大家分享一篇pycharm設置當前工作目錄的操作(working directory),具有很好的參考價值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2020-02-02

最新評論