python连接pg数据库
时间: 2024-09-24 17:24:07 浏览: 51
在Python中,你可以使用`psycopg2`库来连接PostgreSQL(PG)数据库,它是Python官方推荐的用于操作PostgreSQL的最流行库。以下是基本的步骤:
1. **安装**:首先需要通过pip安装`psycopg2`,如果尚未安装,可以运行:
```bash
pip install psycopg2-binary
```
2. **连接设置**:创建一个数据库连接需要数据库地址(host、port)、用户名、密码以及数据库名。示例如下:
```python
import psycopg2
# 数据库连接信息
conn_info = {
"host": "localhost",
"port": 5432,
"database": "your_database_name",
"user": "your_username",
"password": "your_password"
}
# 连接数据库
try:
connection = psycopg2.connect(**conn_info)
except psycopg2.Error as e:
print(f"Error connecting to PostgreSQL: {e}")
else:
print("Connected to PostgreSQL!")
```
3. **执行查询**:一旦连接成功,就可以执行SQL命令了,比如查询数据:
```python
cursor = connection.cursor()
cursor.execute("SELECT * FROM your_table")
results = cursor.fetchall() # 获取所有结果
for row in results:
print(row)
# 关闭游标和连接
cursor.close()
connection.close()
```
阅读全文