views:

62

answers:

1

Hello,

A clueless Python newbie needs help. I muddled through creating a simple script that inserts a binary file into a blog field in a SQLite database:

import sqlite3
conn = sqlite3.connect('database.db')
cursor = conn.cursor()
input_note = raw_input(_(u'Note: '))
    input_type = 'A'
    input_file = raw_input(_(u'Enter path to file: '))
        with open(input_file, 'rb') as f:
            ablob = f.read()
            f.close()
        cursor.execute("INSERT INTO notes (note, file) VALUES('"+input_note+"', ?)", [buffer(ablob)])
        conn.commit()
    conn.close()

Now I need to write a script that grabs the contents of the blob field of a specific record and writes the binary blob to a file. In my case, I use the SQLite database to store .odt documents, so I want to grab and save them as .odt files. How do I go about that? Thanks!

+2  A: 

Here's a script that does read a file, put it in the database, read it from database and then write it to another file:

import sqlite3
conn = sqlite3.connect('database.db')
cursor = conn.cursor()

with open("...", "rb") as input_file:
    ablob = input_file.read()
    cursor.execute("INSERT INTO notes (id, file) VALUES(0, ?)", [sqlite3.Binary(ablob)])
    conn.commit()

with open("Output.bin", "wb") as output_file:
    cursor.execute("SELECT file FROM notes WHERE id = 0")
    ablob = cursor.fetchone()
    output_file.write(ablob[0])

cursor.close()
conn.close()

I tested it with an xml and a pdf and it worked perfectly. Try it with your odt file and see if it works.

Eric Fortin
Thank you! The code saves the blob as a file, but the file seems to be damaged, i.e., the application (OpenOffice.org Writer in my case) refuses to open it. I tried to save and extract a plain .txt file, but it came out empty. Am I doing something wrong? Thanks!
Run a diff tool on the original file and the saved-and-then-loaded one to see what are the differences. If you can post your db schema, I might be able to give it a try.
Eric Fortin
Thank you so much for helping me out. The database schema is simple: one table a handful of fields. CREATE_SQL = \ "CREATE TABLE notes (\ id INTEGER PRIMARY KEY UNIQUE NOT NULL,\ note VARCHAR(1024),\ file BLOB,\ tags VARCHAR(256));" cursor.execute(CREATE_SQL) conn.commit()I'll try to run diff as soon as I have access to my machine. Thanks!
I uploaded another scripts that does what you're looking for.
Eric Fortin
It works! Thank you so much for your help!
You're welcome.
Eric Fortin