温馨提示×

Debian Python数据库连接方法

小樊
47
2025-07-24 07:01:16
栏目: 编程语言

在Debian系统中,Python连接数据库的方法取决于你使用的数据库类型。以下是一些常见的数据库及其在Python中的连接方法:

  1. MySQL/MariaDB:

要连接到MySQL或MariaDB数据库,你可以使用mysql-connector-pythonPyMySQL库。首先,你需要安装相应的库:

pip install mysql-connector-python

或者

pip install pymysql

然后,你可以使用以下代码连接到数据库:

import mysql.connector  # 或者 import pymysql

# 连接到数据库
cnx = mysql.connector.connect(
    host="your_host",
    user="your_user",
    password="your_password",
    database="your_database"
)

# 使用cursor执行SQL查询
cursor = cnx.cursor()
cursor.execute("SELECT * FROM your_table")

# 获取查询结果
rows = cursor.fetchall()

# 关闭cursor和连接
cursor.close()
cnx.close()
  1. PostgreSQL:

要连接到PostgreSQL数据库,你可以使用psycopg2库。首先,你需要安装相应的库:

pip install psycopg2

然后,你可以使用以下代码连接到数据库:

import psycopg2

# 连接到数据库
conn = psycopg2.connect(
    dbname="your_database",
    user="your_user",
    password="your_password",
    host="your_host",
    port="your_port"
)

# 创建一个cursor对象
cur = conn.cursor()

# 执行SQL查询
cur.execute("SELECT * FROM your_table")

# 获取查询结果
rows = cur.fetchall()

# 关闭cursor和连接
cur.close()
conn.close()
  1. SQLite:

要连接到SQLite数据库,你可以使用Python内置的sqlite3库。使用以下代码连接到数据库:

import sqlite3

# 连接到数据库
conn = sqlite3.connect("your_database.db")

# 创建一个cursor对象
cur = conn.cursor()

# 执行SQL查询
cur.execute("SELECT * FROM your_table")

# 获取查询结果
rows = cur.fetchall()

# 关闭cursor和连接
cur.close()
conn.close()

请根据你的数据库类型选择合适的库,并使用相应的代码连接到数据库。记得将上述示例中的your_hostyour_useryour_passwordyour_databaseyour_table替换为实际的值。

0