How can I attach an in-memory SQLite database in Python?

前端 未结 1 643
春和景丽
春和景丽 2021-02-19 15:06

I\'d like to merge SQLite databases, and some may be in memory. I create the in-memory databases by specifying the database path as :memory:. Following this post, u

1条回答
  •  北海茫月
    2021-02-19 15:31

    A plain :memory: string connecting to an in-memory database cannot be shared or attached to from other connections.

    You need to use a file: URI filename connection string with a ?cache=shared parameter to be able to share the in-memory database between connections; then you can also attach to it:

    # first connection
    c1 = sqlite3.connect("file::memory:?cache=shared", uri=True)
    
    # second connection, to the *same database*
    c2 = sqlite3.connect("file::memory:?cache=shared", uri=True)
    
    # third connection, to a different database altogether
    c3 = sqlite3.connect('/tmp/sqlite3.db', uri=True)
    # can attach to the shared in-memory database, but only if you used
    # uri=True on the original connection
    c3.execute("ATTACH DATABASE 'file::memory:?cache=shared' AS inmem")
    

    See the In-Memory Databases documentation.

    Note that there can only be one such shared in-memory database; all other in-memory databases must remain private to their connection. Use databases with an actual filesystem storage if you need more complex setups; these are easy enough to clean up afterwards anyway if you create these in a tempfile.mkdtemp() temporary directory each.

    Demo:

    >>> import sqlite3
    >>> c1 = sqlite3.connect("file::memory:?cache=shared", uri=True)
    >>> c1.execute('CREATE TABLE foo (bar, baz)')
    
    >>> c1.execute("INSERT INTO foo VALUES ('spam', 'ham')")
    
    >>> c1.commit()
    >>> c2 = sqlite3.connect("file::memory:?cache=shared", uri=True)
    >>> list(c2.execute('SELECT * FROM foo'))
    [(u'spam', u'ham')]
    >>> c3 = sqlite3.connect('/tmp/sqlite3.db', uri=True)
    >>> c3.execute("ATTACH DATABASE 'file::memory:?cache=shared' AS inmem")
    
    >>> list(c3.execute('SELECT * FROM inmem.foo'))
    [(u'spam', u'ham')]
    

    Support for in-memory shared-cache connections was added to SQLite version 3.7.13; for Python you can check the version of the underlying library with sqlite3.sqlite_version (string) or sqlite3.sqlite_version_info (tuple with integers):

    >>> sqlite3.sqlite_version_info
    (3, 8, 10, 2)
    

    0 讨论(0)
提交回复
热议问题