Python,Bash或CLI中的SQLite数据更改通知回调

问题描述 投票:10回答:1

SQLite在C API中提供了Data Change Notification Callbacks。可以从SQLite CLI,Bash或Python使用这些回调吗?

如果是,如何?

python bash sqlite command-line-interface
1个回答
16
投票

可以在SQLite CLI中使用这些回调...

通过阅读SQLite源代码,看起来该功能似乎没有在CLI源代码中的任何地方使用,所以我怀疑您可以通过CLI来实现它。

...或来自Bash ...

不确定您的意思。

...或来自Python?

它没有通过标准的sqlite3模块公开,但是可以与sqlite3模块一起使用。

如果是,如何?

这是一个通过ctypes使用它的快速n'肮脏示例...

ctypes

...打印出来...

ctypes

...第一次运行,然后...

from ctypes import *

# Define some symbols
SQLITE_DELETE =  9
SQLITE_INSERT = 18
SQLITE_UPDATE = 23

# Define our callback function
#
# 'user_data' will be the third param passed to sqlite3_update_hook
# 'operation' will be one of: SQLITE_DELETE, SQLITE_INSERT, or SQLITE_UPDATE
# 'db name' will be the name of the affected database
# 'table_name' will be the name of the affected table
# 'row_id' will be the ID of the affected row
def callback(user_data, operation, db_name, table_name, row_id):
    if operation == SQLITE_DELETE:
        optext = 'Deleted row'
    elif operation == SQLITE_INSERT:
        optext = 'Inserted row'
    elif operation == SQLITE_UPDATE:
        optext = 'Updated row'
    else:
        optext = 'Unknown operation on row'
    s = '%s %ld of table "%s" in database "%s"' % (optext, row_id, table_name, db_name)
    print(s)

# Translate into a ctypes callback
c_callback = CFUNCTYPE(c_void_p, c_void_p, c_int, c_char_p, c_char_p, c_int64)(callback)

# Load sqlite3
dll = CDLL('libsqlite3.so')

# Holds a pointer to the database connection
db = c_void_p()

# Open a connection to 'test.db'
dll.sqlite3_open('test.db', byref(db))

# Register callback
dll.sqlite3_update_hook(db, c_callback, None)

# Create a variable to hold error messages
err = c_char_p()

# Now execute some SQL
dll.sqlite3_exec(db, b'create table foo (id int, name varchar(255))', None, None, byref(err))
if err:
    print(err.value)
dll.sqlite3_exec(db, b'insert into foo values (1, "Bob")', None, None, byref(err))
if err:
    print(err.value)

...第二轮。

© www.soinside.com 2019 - 2024. All rights reserved.