python数据库编程mysql
时间: 2024-10-28 11:04:24 浏览: 13
Python与MySQL数据库的集成主要是通过第三方库如`pymysql`或`mysql-connector-python`来实现的。以下是简要步骤:
1. **安装依赖**:首先需要安装对应库,可以使用pip命令:
```
pip install pymysql (或者 mysql-connector-python)
```
2. **连接数据库**:创建连接时需要提供主机名、用户名、密码和数据库名:
```python
import pymysql
connection = pymysql.connect(host='localhost', user='username', password='password', db='database_name')
```
3. **创建游标**:连接建立后,我们需要游标对象来进行SQL操作:
```python
cursor = connection.cursor()
```
4. **执行SQL查询**:例如,查询数据:
```python
cursor.execute("SELECT * FROM table_name")
results = cursor.fetchall() # 获取所有结果
```
5. **处理结果**:遍历并打印结果:
```python
for row in results:
print(row)
```
6. **关闭连接**:完成操作后记得关闭连接释放资源:
```python
cursor.close()
connection.close()
```
阅读全文