python 操作sqlite数据库

‘‘‘SQLite数据库是一款非常小巧的嵌入式开源数据库软件,也就是说
没有独立的维护进程,所有的维护都来自于程序本身。
在python中,使用sqlite3创建数据库的连接,当我们指定的数据库文件不存在的时候
连接对象会自动创建数据库文件;如果数据库文件已经存在,则连接对象不会再创建
数据库文件,而是直接打开该数据库文件。
连接对象可以是硬盘上面的数据库文件,也可以是建立在内存中的,在内存中的数据库
执行完任何操作后,都不需要提交事务的(commit)

创建在硬盘上面: conn = sqlite3.connect(‘e:\\test.db‘)
创建在内存上面: conn = sqlite3.connect(‘memory:‘)

下面我们一硬盘上面创建数据库文件为例来具体说明:
conn = sqlite3.connect(‘e:\\test.db‘)
其中conn对象是数据库链接对象,而对于数据库链接对象来说,具有以下操作:

commit() --事务提交
rollback() --事务回滚
close() --关闭一个数据库链接
cursor() --创建一个游标

cu = conn.cursor()
这样我们就创建了一个游标对象:cu
在sqlite3中,所有sql语句的执行都要在游标对象的参与下完成
对于游标对象cu,具有以下具体操作:

execute() --执行一条sql语句
executemany() --执行多条sql语句
close() --游标关闭
fetchone() --从结果中取出一条记录
fetchmany() --从结果中取出多条记录
fetchall() --从结果中取出所有记录
scroll() --游标滚动

‘‘‘

# -*- coding: utf-8 -*-
import sqlite3
import os

class SqliteDB:

  #是否打印sql
  print_sql = True

  #数据库连接
  sqlite_Conn = None
  def __init__(self,dbFile_path):
    ‘‘‘初始化数据库文件路径‘‘‘
    filepath = unicode(dbFile_path,‘utf8‘)
    self.sqlite_Conn = self.get_Conn(filepath)

  def get_Conn(self,dbFile_path):
    ‘‘‘获取到数据库的连接对象,参数为数据库文件的绝对路径
    如果传递的参数是存在,并且是文件,那么就返回硬盘上面改
    路径下的数据库文件的连接对象;否则,返回内存中的数据接
    连接对象‘‘‘
    if os.path.exists(dbFile_path) and os.path.isfile(dbFile_path):
      print(‘硬盘上面:[{}]‘.format(dbFile_path))
      return sqlite3.connect(dbFile_path)
    else:
      print(‘内存上面:[:memory:]‘)
      return sqlite3.connect(‘:memory:‘)

  def commit(self):
    ‘‘‘提交数据库事务‘‘‘
    if self.sqlite_Conn is not None:
      self.sqlite_Conn.commit()

  def get_Cursor(self):
    ‘‘‘
     该方法是获取数据库的游标对象,参数为数据库的连接对象
     如果数据库的连接对象不为None,则返回数据库连接对象所创
    建的游标对象;否则返回一个游标对象,该对象是内存中数据
    库连接对象所创建的游标对象
    ‘‘‘
    if self.sqlite_Conn is not None:
      return self.sqlite_Conn.cursor()
    else:
      return self.sqlite_Conn.cursor()

  def close_Cursor(self,cursor):
    ‘‘‘关闭数据库游标对象和数据库连接对象‘‘‘
    try:
      if cursor is not None:
      cursor.close()
    finally:
      if cursor is not None:
        cursor.close()

################################################################
#创建表,删除表操作
################################################################
  def create_Table(self, strSql):
    ‘‘‘创建数据库表:‘‘‘
    if strSql is not None and strSql != ‘‘:
      cursor = self.get_Cursor()
      if self.print_sql:
        print(‘执行sql:[{}]‘.format(strSql))
      cursor.execute(strSql)
      self.commit()
      print(‘创建数据库表成功!‘)
      self.close_Cursor(cursor)
    else:
      print(‘the [{}] is empty or equal None!‘.format(strSql))

  def drop_Table(self,table):
    ‘‘‘如果表存在,则删除表,如果表中存在数据的时候,使用该
    方法的时候要慎用!‘‘‘
    if table is not None and table != ‘‘:
      strSql = ‘DROP TABLE IF EXISTS ‘ + table
      if self.print_sql:
        print(‘执行sql:[{}]‘.format(strSql))
      cursor = self.get_Cursor()
      cursor.execute(strSql)
      self.commit()
      print(‘删除数据库表[{}]成功!‘.format(table))
      self.close_Cursor(cursor)
    else:
      print(‘the [{}] is empty or equal None!‘.format(strSql))

#####################################################################

#数据库操作
#####################################################################
  def insert_MultiData(self,strSql, data):
    ‘‘‘插入数据‘‘‘
    if strSql is not None and strSql != ‘‘:
       if data is not None:
        cursor = self.get_Cursor()
        for d in data:
          if self.print_sql:
            print(‘执行sql:[{}],参数:[{}]‘.format(strSql, d))
          cursor.execute(strSql, d)
          self.commit()
        self.close_Cursor(cursor)
    else:
      print(‘the [{}] is empty or equal None!‘.format(strSql))

  def insert_Data(self,strSql):
    ‘‘‘插入数据‘‘‘
    if strSql is not None and strSql != ‘‘:
      cursor = self.get_Cursor()
      print(‘执行sql:[{}]‘.format(strSql))
      cursor.execute(strSql)
      self.commit()
      self.close_Cursor(cursor)

    else:
      print(‘the [{}] is empty or equal None!‘.format(strSql))

  def get_All_Item(self,strSql):
    ‘‘‘查询所有数据‘‘‘
    if strSql is not None and strSql != ‘‘:
      cursor = self.get_Cursor()
      if self.print_sql:
        print(‘执行sql:[{}]‘.format(strSql))
      cursor.execute(strSql)
      listR = cursor.fetchall()

      self.close_Cursor(cursor)
      return listR

    else:
      print(‘the [{}] is empty or equal None!‘.format(strSql))
      return None

  def get_One_Item(self,strSql, data):
    ‘‘‘查询一条数据‘‘‘
    if strSql is not None and strSql != ‘‘:
      if data is not None:
      #Do this instead
      d = (data,)
      cursor = self.get_Cursor()
      if self.print_sql:
        print(‘执行sql:[{}],参数:[{}]‘.format(strSql, data))
      cursor.execute(strSql, d)
      r = cursor.fetchall()
      if len(r) > 0:
        for e in range(len(r)):
          print(r[e])
      else:
        print(‘the [{}] equal None!‘.format(data))
    else:
      print(‘the [{}] is empty or equal None!‘.format(strSql))

  def update_Data(self,strSql, data):
    ‘‘‘更新数据‘‘‘
    if strSql is not None and strSql != ‘‘:
      if data is not None:
        cursor = self.get_Cursor()
        for d in data:
          if self.print_sql:
            print(‘执行sql:[{}],参数:[{}]‘.format(strSql, d))
          cursor.execute(strSql, d)
          self.commit()
        self.close_Cursor(cursor)
      else:
        print(‘the [{}] is empty or equal None!‘.format(strSql))

  def delete_multiData(self,strSql, data):
    ‘‘‘删除多条sql数据‘‘‘
    if strSql is not None and strSql != ‘‘:
      if data is not None:
        cursor = self.get_Cursor()
        for d in data:
          if self.print_sql:
            print(‘执行sql:[{}],参数:[{}]‘.format(strSql, d))
          cursor.execute(strSql, d)
          self.commit()
        self.close_Cursor(cursor)
    else:
      print(‘the [{}] is empty or equal None!‘.format(strSql))

  def delete_Data(self,strSql):
    ‘‘‘删除一条sql数据‘‘‘
    if strSql is not None and strSql != ‘‘:
      if self.print_sql:
        print(‘执行sql:[{}]‘.format(strSql))
      cursor = self.get_Cursor()
      cursor.execute(strSql)
      self.commit()
      self.close_Cursor(cursor)
    else:
      print(‘the [{}] is empty or equal None!‘.format(strSql))

#########################################################################
#测试代码
#########################################################################

db = SqliteDB(‘e:\\test.db‘)

#删除数据表
db.drop_Table(‘person‘)

#创建数据库表
create_table_sql = ‘‘‘CREATE TABLE `person` (
`id` int(11) NOT NULL,
`name` varchar(20) NOT NULL,
`gender` varchar(4) DEFAULT NULL,
`age` int(11) DEFAULT NULL,
`address` varchar(200) DEFAULT NULL,
PRIMARY KEY (`id`)
)‘‘‘

db.create_Table(create_table_sql)

#删除数据、
delSql=‘delete from person ‘
db.delete_Data(delSql)

#插入数据测试,插入一条语句
insert_sql =‘‘‘INSERT INTO person VALUES (3, ‘xiaoli‘, ‘女‘, 18, ‘山东‘)‘‘‘
db.insert_Data(insert_sql)

#插入数据测试,插入多条语句

insert_sql = ‘‘‘INSERT INTO person values (?, ?, ?, ?, ?)‘‘‘
‘‘‘
data = [[1, ‘xiaowang‘, u‘男‘, 20, u‘广东‘],
[2, ‘xiaozhang‘, u‘男‘, 22, u‘河南‘],
[3, ‘xiaoli‘, u‘男‘, 18, u‘山东‘],
[4, ‘xiaoliu‘, u‘女‘, 21, u‘山西‘]]
‘‘‘

data = [[1, ‘xiaowang‘, ‘男‘, 20, ‘广东‘],
[2, ‘xiaozhang‘, ‘男‘, 22, ‘河南‘],
[3, ‘xiaoli‘, ‘男‘, 18, ‘山东‘],
[4, ‘xiaoliu‘, ‘女‘, 21, ‘山西‘]]

for item in data:
item[2] = unicode(item[2],‘utf8‘)
item[4] = unicode(item[4],‘utf8‘)

db.insert_MultiData(insert_sql,data)

#查询数据
print db.get_All_Item(‘select * from person‘)

时间: 2024-10-09 13:15:15

python 操作sqlite数据库的相关文章

Python 操作 SQLite 数据库

写在之前 SQLite 是一个小型的关系型数据库,它最大的特点在于不需要单独的服务.零配置.我们在之前讲过的两个数据库,不管是 MySQL 还是 MongoDB,都需要我们安装.安装之后,然后运行起来,其实这就相当于已经有一个相应的服务在跑着. SQLite 与前面所说的两个数据库不同.首先Python 已经将相应的驱动模块作为了标准库的一部分,只要是你安装了 Python,就可以使用:再者它可以类似于操作文件那样来操作 SQLite 数据库文件.还有一点,SQLite 源代码不受版权限制. 建

Python操作SQLite数据库

连接数据库 从2.5版本开始,Python的标准库中就有了一个专门用于SQLite的sqlite3模块.连接SQLite数据库方式如下: import sqlite3 as dbapi con = dbapi.connect('population.db') cur = con.cursor() 第一个语句用于引用数据库API: 第二个语句创建了一个到数据库的连接(connection):调用数据库模块的connect方法.该方法的参数是一个字符串,它定义了我们所要连接的那个数据库.由于SQLi

8.1 使用Python操作SQLite数据库

SQLite是内嵌在Python中的轻量级.基于磁盘文件袋额数据库管理系统,不需要安装和配置服务,支持使用SQL语句来访问数据库.该数据库使用C语言开发,支持大多数SQL91标准,支持原子的.一致的.独立的和持久的事务,不支持外键限制:通过数据库级的独占性和共享性锁定来实现独立事务,当多个线程同时访问同一个数据库并试图写入数据时,每一时刻只有一个线程可以写入数据. SQLite支持最大140TB大小的单个数据库,每个数据库完全存储在单个磁盘文件中,以B+树数据结构的形式存储,一个数据库就是一个文

用Python进行SQLite数据库操作

用Python进行SQLite数据库操作 -----转自:http://www.cnblogs.com/yuxc/archive/2011/08/18/2143606.html 简单的介绍 SQLite数据库是一款非常小巧的嵌入式开源数据库软件,也就是说没有独立的维护进程,所有的维护都来自于程序本身.它是遵守ACID的关联式数据库管理系统,它的设计目标是嵌入式的,而且目前已经在很多嵌入式产品中使用了它,它占用资源非常的低,在嵌入式设备中,可能只需要几百K的内存就够了.它能够支持Windows/L

[python]用Python进行SQLite数据库操作

用Python进行SQLite数据库操作 1.导入Python SQLITE数据库模块 Python2.5之后,内置了SQLite3,成为了内置模块,这给我们省了安装的功夫,只需导入即可~ import sqlite3 2. 创建/打开数据库 在调用connect函数的时候,指定库名称,如果指定的数据库存在就直接打开这个数据库,如果不存在就新创建一个再打开. cx = sqlite3.connect("E:/test.db") 也可以创建数据库在内存中. con = sqlite3.c

Windows下安装MySQLdb, Python操作MySQL数据库的增删改查

这里的前提是windows上已经安装了MySQL数据库,且配置完毕,能正常建表能操作.在此基础上只需安装MySQL-python-1.2.4b4.win32-py2.7.exe就ok了,只有1M多.这个有点类似jdbc里的那个jar包. 下载链接:http://sourceforge.net/projects/mysql-python/ , 百度云盘 :http://pan.baidu.com/s/1dDgnfpR 密码:7bna 接着import MySQLdb就能使用了,下面给出测试代码:

js -- 操作sqlite数据库

最近看到一个使用js来操作sqlite数据库的,测试了一下,具体使用的是 js操作类: https://github.com/kripken/sql.js/(sqlite js 驱动) 异步请求:http://npm.taobao.org/package/axios(异步请求插件,只有12.6k) 这里使用的js驱动是和服务器端使用方法一致,sql标准语法都支持,可以用第三方管理工具来管理数据文件 目前我使用的是 Navicat Premium 12. 下面是测试的源代码: 1. 数据库sql(

python操作mysql数据库

连接数据库 输入值 存入数据库 关闭 import string import mysql.connector conn=mysql.connector.connect(user='root',password='test',database='dalian',use_unicode=True) cursor=conn.cursor() a=raw_input('enter an id: ') b=raw_input('enter a name: ') while(a!='quit' or b!

Qt操作Sqlite数据库

总算在Qt中把Sqlite操作成功了,写点总结吧.其实早就弄对了的,但查看数据库就是没有想要的结果.最后发现生成的执行文件在Dbug目录,与先前设定的路径不同,这才恍然大悟. 一.使用到数据库模块,需在pro文件中加入:QT += sql 二.所需数据库操作的相关头文件:#include <QSqlDatabase>#include <QSqlQuery>#include <QSqlRecord>#include <QSqlField> 三.连接Sqlite