python pymysql 数据库创建表
时间: 2024-05-08 20:13:20 浏览: 305
在 Python 中,我们可以使用 PyMySQL 模块连接 MySQL 数据库。创建表的过程主要分为以下几步:
1.连接到 MySQL 数据库
2.创建游标对象
3.执行 SQL 语句创建表
4.提交事务
下面是一个示例代码,展示了如何使用 PyMySQL 创建一张名为 students 的表:
```
import pymysql
# 连接数据库
conn = pymysql.connect(host='localhost', port=3306, user='root', password='password', database='test')
# 创建游标对象
cursor = conn.cursor()
# 创建表
sql = """
CREATE TABLE students (
id INT AUTO_INCREMENT PRIMARY KEY,
name VARCHAR(255),
age INT,
gender VARCHAR(255)
)
"""
cursor.execute(sql)
# 提交事务
conn.commit()
# 关闭游标和连接
cursor.close()
conn.close()
```
相关问题
python连接数据库创建表
在Python中,使用SQLAlchemy或pymysql等库连接数据库并创建表是非常常见的任务。这里我们以SQLite(内置数据库)和SQLAlchemy为例来说明,其他如MySQL、PostgreSQL等数据库略有不同但基本原理相似。
**使用SQLite和SQLAlchemy:**
首先,你需要安装SQLAlchemy库(如果还没有安装):
```bash
pip install sqlalchemy
```
然后,你可以创建一个SQLite连接并定义表结构:
```python
from sqlalchemy import create_engine, Column, Integer, String
from sqlalchemy.ext.declarative import declarative_base
# 创建基础模型
Base = declarative_base()
# 定义表名和字段
class User(Base):
__tablename__ = 'users'
id = Column(Integer, primary_key=True)
name = Column(String(50), nullable=False)
email = Column(String(120), unique=True)
# 创建数据库引擎
engine = create_engine('sqlite:///example.db')
# 创建表
Base.metadata.create_all(engine)
```
**使用pymysql连接MySQL:**
首先,安装pymysql库:
```bash
pip install pymysql
```
然后使用如下代码创建连接并创建表:
```python
import pymysql
# 创建连接
connection = pymysql.connect(host='localhost', user='your_username', password='your_password', db='your_database')
# 创建游标
cursor = connection.cursor()
# 定义SQL语句
create_table_query = """
CREATE TABLE IF NOT EXISTS users (
id INT AUTO_INCREMENT PRIMARY KEY,
name VARCHAR(50) NOT NULL,
email VARCHAR(120) UNIQUE
)
"""
# 执行SQL
cursor.execute(create_table_query)
connection.commit()
# 关闭游标和连接
cursor.close()
connection.close()
```
python pymysql 连接数据库代码
当然,这是使用Python的pymysql库连接数据库的示例代码:
```python
import pymysql
# 连接数据库
conn = pymysql.connect(
host='localhost', # 数据库主机地址
port=3306, # 数据库端口号
user='root', # 数据库用户名
password='password', # 数据库密码
db='mydatabase' # 数据库名称
)
# 创建游标对象
cursor = conn.cursor()
# 执行SQL查询
cursor.execute("SELECT * FROM mytable")
# 获取查询结果
results = cursor.fetchall()
# 遍历结果
for row in results:
print(row)
# 关闭游标和连接
cursor.close()
conn.close()
```
请注意,你需要根据你的实际情况修改host、port、user、password和db参数,以及编写适合你的SQL查询语句。
阅读全文