PostgreSQL 入門
PostgreSQL 是一個積極開發和成熟的開源資料庫。使用 psycopg2
模組,我們可以對資料庫執行查詢。
使用 pip 安裝
pip install psycopg2
基本用法
讓我們假設我們在資料庫 my_database
中有一個表 my_table
,定義如下。
ID |
名字 | 姓 |
---|---|---|
1 |
約翰 | 母鹿 |
我們可以使用 psycopg2
模組以下列方式在資料庫上執行查詢。
import psycopg2
# Establish a connection to the existing database 'my_database' using
# the user 'my_user' with password 'my_password'
con = psycopg2.connect("host=localhost dbname=my_database user=my_user password=my_password")
# Create a cursor
cur = con.cursor()
# Insert a record into 'my_table'
cur.execute("INSERT INTO my_table(id, first_name, last_name) VALUES (2, 'Jane', 'Doe');")
# Commit the current transaction
con.commit()
# Retrieve all records from 'my_table'
cur.execute("SELECT * FROM my_table;")
results = cur.fetchall()
# Close the database connection
con.close()
# Print the results
print(results)
# OUTPUT: [(1, 'John', 'Doe'), (2, 'Jane', 'Doe')]