python类库26[sqlite]

一 sqlite 与 python 的类型对应

二 实例

import sqlite3

def sqlite_basic():
    # Connect to db
    conn = sqlite3.connect(‘test.db‘)
    # create cursor
    c = conn.cursor()
    # Create table
    c.execute(‘‘‘
              create table if not exists stocks
              (date text, trans text, symbol text,
              qty real, price real)
              ‘‘‘
             )
    # Insert a row of data
    c.execute(‘‘‘
              insert into stocks
              values (‘2006-01-05‘,‘BUY‘,‘REHT‘,100,35.14)
              ‘‘‘
             )
    # query the table
    rows  = c.execute("select * from stocks")
    # print the table
    for row in rows:
      print(row)
    # delete the row
    c.execute("delete from stocks where symbol==‘REHT‘")
    # Save (commit) the changes
    conn.commit()
    # Close the connection
    conn.close()
    
def sqlite_adv():
    conn = sqlite3.connect(‘test2.db‘)
    c = conn.cursor()
    c.execute(‘‘‘
              create table if not exists employee
              (id text, name text, age inteage)
              ‘‘‘)
    # insert many rows
    for t in [(‘1‘, ‘itech‘, 10),
              (‘2‘, ‘jason‘, 10),
              (‘3‘, ‘jack‘, 30),
             ]:
        c.execute(‘insert into employee values (?,?,?)‘, t)
    # create index
    create_index = ‘CREATE INDEX IF NOT EXISTS idx_id ON employee (id);‘
    c.execute(create_index)
    # more secure
    t = (‘jason‘,)
    c.execute(‘select * from employee where name=?‘, t)
    # fetch query result
    for row in c.fetchall():
      print(row)
    conn.commit()
    conn.close()
    
def sqlite_adv2():
    # memory db
    con = sqlite3.connect(":memory:")
    cur = con.cursor()
    # execute sql 
    cur.executescript(‘‘‘
    create table book(
        title,
        author,
        published
    );
    insert into book(title, author, published)
    values (
        ‘AAA book‘,
        ‘Douglas Adams‘,
        1987
    );
    ‘‘‘)
    rows = cur.execute("select * from book")
    for row in rows:
      print("title:" + row[0])
      print("author:" + row[1])
      print("published:" + str(row[2]))
      
def sqlite_adv3():
    import datetime

# Converting SQLite values to custom Python types
    # Default adapters and converters for datetime and timestamp
    con = sqlite3.connect(":memory:", detect_types=sqlite3.PARSE_DECLTYPES|sqlite3.PARSE_COLNAMES)
    cur = con.cursor()
    cur.execute("create table test(d date, ts timestamp)")

today = datetime.date.today()
    now = datetime.datetime.now()

cur.execute("insert into test(d, ts) values (?, ?)", (today, now))
    cur.execute("select d, ts from test")
    row = cur.fetchone()
    print today, "=>", row[0], type(row[0])
    print now, "=>", row[1], type(row[1])

cur.execute(‘select current_date as "d [date]", current_timestamp as "ts [timestamp]" from test‘)
    row = cur.fetchone()
    print "current_date", row[0], type(row[0])
    print "current_timestamp", row[1], type(row[1])

#sqlite_basic()
#sqlite_adv()
#sqlite_adv2()
#sqlite_adv3()

完!

python类库26[sqlite]

时间: 2024-11-08 01:17:24

python类库26[sqlite]的相关文章

python类库26[web2py之基本概念]

一 web2py的应用的执行环境Models,Controllers和views所在的执行环境中,以下对象已经被默认地导入: Global Objects:  request,response,session,cache Navigation:  redirect,HTTP Internationalization:  T Helpers:  XML, URL, BEAUTIFYA, B, BEAUTIFY, BODY, BR, CENTER, CODE, DIV, EM, EMBED,FIEL

[Swift通天遁地]七、数据与安全-(5)使用开源类库对SQLite数据库进行高效操作

本文将演示使用开源类库对SQLite数据库进行高效操作. 首先确保在项目中已经安装了所需的第三方库. 点击[Podfile],查看安装配置文件. 1 platform :ios, ‘12.0’ 2 use_frameworks! 3 4 target 'DemoApp' do 5 source 'https://github.com/CocoaPods/Specs.git' 6 pod 'SQLite.swift' 7 end 根据配置文件中的相关配置,安装第三方库. 在项目导航区,打开视图控制

python类库32[多进程同步Lock+Semaphore+Event]

python类库32[多进程同步Lock+Semaphore+Event] 同步的方法基本与多线程相同. 1) Lock 当多个进程需要访问共享资源的时候,Lock可以用来避免访问的冲突. import multiprocessingimport sys def worker_with(lock, f):    with lock:        fs = open(f,"a+")        fs.write('Lock acquired via with\n')        f

python类库32[序列化和反序列化之pickle]

一 pickle pickle模块用来实现python对象的序列化和反序列化.通常地pickle将python对象序列化为二进制流或文件. python对象与文件之间的序列化和反序列化: pickle.dump() pickle.load() 如果要实现python对象和字符串间的序列化和反序列化,则使用: pickle.dumps() pickle.loads() 可以被序列化的类型有: * None,True 和 False; * 整数,浮点数,复数; * 字符串,字节流,字节数组; * 包

python类库32[多进程通信Queue+Pipe+Value+Array]

多进程通信 queue和pipe的区别: pipe用来在两个进程间通信.queue用来在多个进程间实现通信. 此两种方法为所有系统多进程通信的基本方法,几乎所有的语言都支持此两种方法. 1)Queue & JoinableQueue queue用来在进程间传递消息,任何可以pickle-able的对象都可以在加入到queue. multiprocessing.JoinableQueue 是 Queue的子类,增加了task_done()和join()方法. task_done()用来告诉queu

Python中使用SQLite

参考原文 廖雪峰Python教程 使用SQLite SQLite是一种嵌入式数据库,它的数据库就是一个文件.由于SQLite本身是用C写的,而且体积很小,所以经常被集成到各种应用程序中,甚至在IOS和Android的APP中都可以集成. Python中内置了SQLite3,连接到数据库后,需要打开游标Cursor,通过Cursor执行SQL语句,然后获得执行结果,Python定义了一套操作数据库的API接口,任何数据库要连接到Python,只需要提供符合Python标准的数据库驱动即可.试一下:

Python 类库

Http 类库 Requests: HTTP for Humans >>> r = requests.get('https://api.github.com/user', auth=('user', 'pass')) >>> r.status_code200 >>> r.headers['content-type'] 'application/json; charset=utf8' >>> r.encoding'utf-8' >

在Ubuntu上升级SQLite,并让Python使用新版SQLite

(本文适用于Debian系的Linux,如Ubuntu.Raspbian等等.) 在Linux上,Python的sqlite3模块使用系统自带的SQLite引擎,然而系统自带的SQLite可能版本太老了. 用sqlite3.sqlite_version看一下SQLite引擎的版本,查询得知这个版本是2012年6月发布的: 要升级SQLite引擎到新版.并被Python使用,需要如下两个步骤: 1.先下载.编译.安装SQLite引擎 到SQLite官网的下载页面:https://www.sqlit

欧拉计划(python) problem 26

Reciprocal cycles Problem 26 A unit fraction contains 1 in the numerator. The decimal representation of the unit fractions with denominators 2 to 10 are given: 1/2 =  0.5 1/3 =  0.(3) 1/4 =  0.25 1/5 =  0.2 1/6 =  0.1(6) 1/7 =  0.(142857) 1/8 =  0.12