欧美bbbwbbbw肥妇,免费乱码人妻系列日韩,一级黄片

Python使用Rich?type和TinyDB構(gòu)建聯(lián)系人通訊錄

 更新時(shí)間:2022年08月08日 17:17:40   作者:小水滴滴滴  
這篇文章主要為大家介紹了Python使用Rich?type和TinyDB構(gòu)建聯(lián)系人通訊錄應(yīng)用程序,有需要的朋友可以借鑒參考下,希望能夠有所幫助,祝大家多多進(jìn)步,早日升職加薪

引言

我們將學(xué)習(xí)如何構(gòu)建一個(gè)終端應(yīng)用程序(CLI應(yīng)用程序)來管理我們的通訊錄

我們將使用type來構(gòu)建CLI應(yīng)用程序,使用Rich來創(chuàng)建彩色終端輸出,使用TinyDB來創(chuàng)建數(shù)據(jù)庫。

工具準(zhǔn)備

我們將在這個(gè)項(xiàng)目中使用一些外部庫。讓我們來了解一下,并逐一安裝。 但是在我們安裝之前,讓我們創(chuàng)建一個(gè)虛擬環(huán)境并激活它。 我們將使用 virtualenv 創(chuàng)建一個(gè)虛擬環(huán)境。Python現(xiàn)在附帶了一個(gè)預(yù)先安裝的virtualenv庫。因此,要?jiǎng)?chuàng)建一個(gè)虛擬環(huán)境,你可以使用下面的命令:

python -m venv env

上面的命令將創(chuàng)建一個(gè)名為env的虛擬環(huán)境?,F(xiàn)在,我們需要使用下面的命令來激活環(huán)境:

. env/Scripts/activate

要驗(yàn)證環(huán)境是否已被激活,可以在終端中看到(env)?,F(xiàn)在,我們可以安裝庫了。

Rich是一個(gè)Python庫,用于向終端編寫富文本(帶有顏色和樣式),并用于顯示高級(jí)內(nèi)容,如表、標(biāo)記和語法高亮顯示代碼。

要安裝Rich,使用以下命令:

pip install Rich

Typer是一個(gè)用于構(gòu)建CLI應(yīng)用程序的庫。

要安裝Typer,使用以下命令:

pip install Typer

TinyDB是一個(gè)純Python編寫的面向文檔的數(shù)據(jù)庫,沒有外部依賴。

要安裝TinyDB,使用下面的命令:

pip install TinyDB

通訊錄特征

我們的通訊錄應(yīng)用程序?qū)⑹且粋€(gè)基于終端的應(yīng)用程序。類似于Todo應(yīng)用程序,我們可以對其執(zhí)行以下操作:

Add (or Create) : You can add a new contact in the contact book.

Show (or Read) : You can see all your contacts saved in the contact book.

Edit (or Update) : You can edit the contacts saved in the contact book.

Remove (or Delete) : You can delete the contacts saved in the contact book.

如何創(chuàng)建聯(lián)系人模型

首先,我們將為Contact創(chuàng)建一個(gè)自定義類或模型。想想接觸應(yīng)該包含的所有領(lǐng)域。 我能想到這些字段——姓名和聯(lián)系電話。如果您能想到更多,可以將它們添加到您的模型中。我們現(xiàn)在要繼續(xù)調(diào)查這兩位。 創(chuàng)建一個(gè)名為contact_book的目錄。在其中,創(chuàng)建一個(gè)名為model.py的Python文件。在文件中增加如下內(nèi)容:

import datetime
class Contact:
    def __init__ (self, name, contact_number, position=None, date_created=None, date_updated=None):
        self.name = name
        self.contact_number = contact_number
        self.position = position
        self.date_created = date_created if date_created is not None else datetime.datetime.now().isoformat()
        self.date_updated = date_updated if date_updated is not None else datetime.datetime.now().isoformat()
    def __repr__ (self) -> str:
        return f"({self.name}, {self.contact_number}, {self.position}, {self.date_created}, {self.date_updated})"

我們創(chuàng)建了一個(gè)名為Contact的類,它接受兩個(gè)強(qiáng)制參數(shù):name和contact_number。

除了這兩個(gè)參數(shù)外,它還接受三個(gè)可選參數(shù):position、date_created和date_updated。如果沒有傳遞這三個(gè)可選參數(shù),它們將分別默認(rèn)為當(dāng)前索引和當(dāng)前時(shí)間。

此外,我們還定義了repr方法,該方法以更易于閱讀的方式返回對象。

如何使用TinyDB創(chuàng)建數(shù)據(jù)庫

現(xiàn)在,讓我們設(shè)置TinyDB并創(chuàng)建一個(gè)數(shù)據(jù)庫

在contact_book目錄中,創(chuàng)建一個(gè)init.py文件,并添加以下內(nèi)容:

from tinydb import TinyDB, Query
db = TinyDB('contact-book.json')
db.default_table_name = 'contact-book'
ContactQuery = Query()

我們已經(jīng)創(chuàng)建了TinyDB類的一個(gè)實(shí)例,并將文件名傳遞給它。這將創(chuàng)建一個(gè)JSON文件通訊錄。Json,我們的數(shù)據(jù)將被存儲(chǔ)。要從這個(gè)數(shù)據(jù)庫檢索數(shù)據(jù),我們需要一個(gè)tinydb庫中Query類的實(shí)例。

現(xiàn)在,讓我們定義將用于與數(shù)據(jù)庫交互的不同函數(shù)。在contact_book目錄中,創(chuàng)建一個(gè)database.py文件,并在其中添加以下內(nèi)容:

from typing import List
import datetime
from contact_book.model import Contact
from contact_book import db, ContactQuery
def create(contact: Contact) -> None:
    contact.position = len(db)+1
    new_contact = {
        'name': contact.name,
        'contact_number': contact.contact_number,
        'position': contact.position,
        'date_created': contact.date_created,
        'date_updated': contact.date_updated
    }
    db.insert(new_contact)
def read() -> List[Contact]:
    results = db.all()
    contacts = []
    for result in results:
        new_contact = Contact(result['name'], result['contact_number'], result['position'],
                              result['date_created'], result['date_updated'])
        contacts.append(new_contact)
    return contacts
def update(position: int, name: str, contact_number: str) -> None:
    if name is not None and contact_number is not None:
        db.update({'name': name, 'contact_number': contact_number},
                  ContactQuery.position == position)
    elif name is not None:
        db.update({'name': name}, ContactQuery.position == position)
    elif contact_number is not None:
        db.update({'contact_number': contact_number},
                  ContactQuery.position == position)
def delete(position) -> None:
    count = len(db)
    db.remove(ContactQuery.position == position)
    for pos in range(position+1, count):
        change_position(pos, pos-1)
def change_position(old_position: int, new_position: int) -> None:
    db.update({'position': new_position},
              ContactQuery.position == old_position)

我們定義了四個(gè)不同的函數(shù)——create()、read()、update()和delete()用于上面提到的每個(gè)操作。我們使用position屬性來識(shí)別特定的聯(lián)系人。change_position()函數(shù)負(fù)責(zé)在刪除聯(lián)系人時(shí)保持聯(lián)系人的位置。

如何使用typer創(chuàng)建命令行

現(xiàn)在讓我們使用type創(chuàng)建CLI。在contact_book目錄之外,創(chuàng)建一個(gè)main.py文件,并添加以下內(nèi)容。如何使用type創(chuàng)建命令行

import typer
app = typer.Typer()
@app.command(short_help='adds a contact')
def add(name: str, contact_number: str):
    typer.echo(f"Adding {name}, {contact_number}")
@app.command(short_help='shows all contacts')
def show():
    typer.echo(f"All Contacts")
@app.command(short_help='edits a contact')
def edit(position: int, name: str = None, contact_number: str = None):
    typer.echo(f"Editing {position}")
@app.command(short_help='removes a contact')
def remove(position: int):
    typer.echo(f"Removing {position}")
if __name__ == " __main__":
    app()

首先,我們從類型庫中創(chuàng)建Typer類的一個(gè)實(shí)例。然后,我們?yōu)樯厦嬗懻摰乃膫€(gè)操作創(chuàng)建四個(gè)單獨(dú)的函數(shù)。我們使用@app.command()裝飾器將每個(gè)函數(shù)綁定到一個(gè)命令中。我們還添加了short_help來幫助用戶使用命令。

要添加聯(lián)系人,我們需要name和contact_number參數(shù)。為了展示隱形人,我們什么都不需要。要編輯聯(lián)系人,我們肯定需要位置,而name和contact_number參數(shù)是可選的。要移除接觸點(diǎn),我們只需要位置。

目前,我們沒有在方法內(nèi)部進(jìn)行任何操作。我們只是使用typing類中的echo方法進(jìn)行打印。在main方法中,我們只需要調(diào)用app()對象。

如果你運(yùn)行這個(gè)應(yīng)用程序,你會(huì)得到一個(gè)類似的輸出:

如何使用Rich設(shè)計(jì)終端

我們希望在一個(gè)漂亮的表格布局中使用不同的顏色顯示聯(lián)系人。Rich 可以幫我們。

現(xiàn)在讓我們修改main.py中的show()函數(shù),因?yàn)樗?fù)責(zé)在終端上打印聯(lián)系人。

from rich.console import Console
from rich.table import Table
console = Console()
@app.command(short_help='shows all contacts')
def show():
    contacts = [("Ashutosh Krishna", "+91 1234554321"),
                ("Bobby Kumar", "+91 9876556789")]
    console.print("[bold magenta]Contact Book[/bold magenta]", "??")
    if len(contacts) == 0:
        console.print("[bold red]No contacts to show[/bold red]")
    else:
        table = Table(show_header=True, header_style="bold blue", show_lines=True)
        table.add_column("#", style="dim", width=3, justify="center")
        table.add_column("Name", min_width=20, justify="center")
        table.add_column("Contact Number", min_width=12, justify="center")
        for idx, contact in enumerate(contacts, start=1):
            table.add_row(str(idx), f'[cyan]{contact[0]}[/cyan]', f'[green]{contact[1]}[/green]')
        console.print(table)

我們首先創(chuàng)建了Console類的一個(gè)實(shí)例。在show()方法中,我們現(xiàn)在有一個(gè)虛擬的聯(lián)系人列表。使用console對象,我們用粗體紅色打印標(biāo)題。

接下來,我們創(chuàng)建一個(gè)表并添加列。現(xiàn)在,我們對聯(lián)系人進(jìn)行迭代,并將它們作為不同顏色的單獨(dú)行放入表中。最后,我們打印表格。

如何使用打字命令連接數(shù)據(jù)庫操作

現(xiàn)在,讓我們進(jìn)行最后一步,將數(shù)據(jù)庫操作與命令連接起來。也就是說,當(dāng)我們運(yùn)行一個(gè)命令時(shí),它應(yīng)該與數(shù)據(jù)庫進(jìn)行適當(dāng)?shù)慕换ァ?/p>

import typer
from rich.console import Console
from rich.table import Table
from contact_book.model import Contact
from contact_book.database import create, read, update, delete
app = typer.Typer()
console = Console()
@app.command(short_help='adds a contact')
def add(name: str, contact_number: str):
    typer.echo(f"Adding {name}, {contact_number}")
    contact = Contact(name, contact_number)
    create(contact)
    show()
@app.command(short_help='shows all contacts')
def show():
    contacts = read()
    console.print("[bold magenta]Contact Book[/bold magenta]", "??")
    if len(contacts) == 0:
        console.print("[bold red]No contacts to show[/bold red]")
    else:
        table = Table(show_header=True,
                      header_style="bold blue", show_lines=True)
        table.add_column("#", style="dim", width=3, justify="center")
        table.add_column("Name", min_width=20, justify="center")
        table.add_column("Contact Number", min_width=12, justify="center")
        for idx, contact in enumerate(contacts, start=1):
            table.add_row(str(
                idx), f'[cyan]{contact.name}[/cyan]', f'[green]{contact.contact_number}[/green]')
        console.print(table)
@app.command(short_help='edits a contact')
def edit(position: int, name: str = None, contact_number: str = None):
    typer.echo(f"Editing {position}")
    update(position, name, contact_number)
    show()
@app.command(short_help='removes a contact')
def remove(position: int):
    typer.echo(f"Removing {position}")
    delete(position)
    show()
if __name__ == " __main__":
    app()

在上面的代碼中,我們使用了前面創(chuàng)建的create()、read()、update()和delete()。

以上就是Python使用Rich type和TinyDB構(gòu)建聯(lián)系人通訊錄應(yīng)用程序的詳細(xì)內(nèi)容,更多關(guān)于Python構(gòu)建通訊錄的資料請關(guān)注腳本之家其它相關(guān)文章!

相關(guān)文章

  • Python本地與全局命名空間用法實(shí)例

    Python本地與全局命名空間用法實(shí)例

    這篇文章主要介紹了Python本地與全局命名空間用法,實(shí)例分析了Python命名空間的相關(guān)使用技巧,需要的朋友可以參考下
    2015-06-06
  • python3 requests庫實(shí)現(xiàn)多圖片爬取教程

    python3 requests庫實(shí)現(xiàn)多圖片爬取教程

    今天小編就為大家分享一篇python3 requests庫實(shí)現(xiàn)多圖片爬取教程,具有很好的參考價(jià)值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2019-12-12
  • python讀取圖片任意范圍區(qū)域

    python讀取圖片任意范圍區(qū)域

    這篇文章主要為大家詳細(xì)介紹了python讀取圖片任意范圍區(qū)域,以一維數(shù)組形式返回,具有一定的參考價(jià)值,感興趣的小伙伴們可以參考一下
    2019-01-01
  • pygame實(shí)現(xiàn)彈力球及其變速效果

    pygame實(shí)現(xiàn)彈力球及其變速效果

    這篇文章主要為大家詳細(xì)介紹了pygame實(shí)現(xiàn)彈力球及其變速效果,具有一定的參考價(jià)值,感興趣的小伙伴們可以參考一下
    2017-07-07
  • 基于python編寫的微博應(yīng)用

    基于python編寫的微博應(yīng)用

    這篇文章主要介紹了基于python編寫的微博應(yīng)用,是針對微博開放平臺(tái)SDK開發(fā)的具體應(yīng)用,非常具有實(shí)用價(jià)值,需要的朋友可以參考下
    2014-10-10
  • 解決Tensorflow 使用時(shí)cpu編譯不支持警告的問題

    解決Tensorflow 使用時(shí)cpu編譯不支持警告的問題

    今天小編就為大家分享一篇解決Tensorflow 使用時(shí)cpu編譯不支持警告的問題,具有很好的參考價(jià)值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2020-02-02
  • opencv python 圖像輪廓/檢測輪廓/繪制輪廓的方法

    opencv python 圖像輪廓/檢測輪廓/繪制輪廓的方法

    這篇文章主要介紹了opencv python 圖像輪廓/檢測輪廓/繪制輪廓的方法,文中通過示例代碼介紹的非常詳細(xì),對大家的學(xué)習(xí)或者工作具有一定的參考學(xué)習(xí)價(jià)值,需要的朋友們下面隨著小編來一起學(xué)習(xí)學(xué)習(xí)吧
    2019-07-07
  • Python實(shí)現(xiàn)把類當(dāng)做字典來訪問

    Python實(shí)現(xiàn)把類當(dāng)做字典來訪問

    今天小編就為大家分享一篇Python實(shí)現(xiàn)把類當(dāng)做字典來訪問,具有很好的參考價(jià)值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2019-12-12
  • Django實(shí)現(xiàn)web端tailf日志文件功能及實(shí)例詳解

    Django實(shí)現(xiàn)web端tailf日志文件功能及實(shí)例詳解

    這篇文章主要介紹了Django實(shí)現(xiàn)web端tailf日志文件功能,本文通過實(shí)例給大家介紹的非常詳細(xì),具有一定的參考借鑒價(jià)值,需要的朋友可以參考下
    2019-07-07
  • 使用Python刪除Word中表格的方法

    使用Python刪除Word中表格的方法

    在處理Word文檔時(shí),我們經(jīng)常會(huì)遇到需要?jiǎng)h除表格的情況,無論是為了簡化文檔結(jié)構(gòu),還是為了更新內(nèi)容,刪除表格都是一個(gè)常見的操作,本文將介紹如何使用Python通過編程刪除Word中的表格,需要的朋友可以參考下
    2024-11-11

最新評論