Esempio n. 1
0
def make_targets(lang, out_path, targets, in_path=None, only=None, sql=None,
                 attach=()):
    from pysqlite3 import dbapi2 as sqlite3
    if out_path.endswith('.sqlite3'):
        conn = sqlite3.connect('dictionaries/%s' % out_path)
    else:
        os.makedirs('dictionaries/' + out_path, exist_ok=True)
        conn = sqlite3.connect('dictionaries/%s/%s.sqlite3' % (out_path, lang))
    conn.execute("ATTACH DATABASE 'dictionaries/%s/%s.sqlite3' AS %s"
                 % (in_path, lang, in_path))
    for a in attach:
        conn.execute(
            "ATTACH DATABASE " + a)

    if sql:
        cur = conn.cursor()
        cur.execute(sql)
        from tabulate import tabulate
        print(tabulate(cur, [col[0] for col in cur.description]))
        return

    print('%s/%s:' % (out_path, lang), flush=True, end=' ')
    for name, f in targets:
        if not only or only == name:
            print(name, flush=True, end=' ')
            f(conn, lang)
    conn.commit()
    print()
Esempio n. 2
0
    def setUp(self):
        try:
            os.remove(get_db_path())
        except OSError:
            pass

        self.con1 = sqlite.connect(get_db_path(), timeout=0.1)
        self.cur1 = self.con1.cursor()

        self.con2 = sqlite.connect(get_db_path(), timeout=0.1)
        self.cur2 = self.con2.cursor()
Esempio n. 3
0
 def CheckOpenUri(self):
     if sqlite.sqlite_version_info < (3, 7, 7):
         with self.assertRaises(sqlite.NotSupportedError):
             sqlite.connect(':memory:', uri=True)
         return
     self.addCleanup(unlink, TESTFN)
     with sqlite.connect(TESTFN) as cx:
         cx.execute('create table test(id integer)')
     with sqlite.connect('file:' + TESTFN, uri=True) as cx:
         cx.execute('insert into test(id) values(0)')
     with sqlite.connect('file:' + TESTFN + '?mode=ro', uri=True) as cx:
         with self.assertRaises(sqlite.OperationalError):
             cx.execute('insert into test(id) values(1)')
Esempio n. 4
0
 def CheckCursorExecutescriptAsBytes(self):
     con = sqlite.connect(":memory:")
     cur = con.cursor()
     with self.assertRaises(ValueError) as cm:
         cur.executescript(
             b"create table test(foo); insert into test(foo) values (5);")
     self.assertEqual(str(cm.exception), 'script argument must be unicode.')
Esempio n. 5
0
    def CheckConvertTimestampMicrosecondPadding(self):
        """
        http://bugs.python.org/issue14720

        The microsecond parsing of convert_timestamp() should pad with zeros,
        since the microsecond string "456" actually represents "456000".
        """

        con = sqlite.connect(":memory:", detect_types=sqlite.PARSE_DECLTYPES)
        cur = con.cursor()
        cur.execute("CREATE TABLE t (x TIMESTAMP)")

        # Microseconds should be 456000
        cur.execute("INSERT INTO t (x) VALUES ('2012-04-04 15:06:00.456')")

        # Microseconds should be truncated to 123456
        cur.execute(
            "INSERT INTO t (x) VALUES ('2012-04-04 15:06:00.123456789')")

        cur.execute("SELECT * FROM t")
        values = [x[0] for x in cur.fetchall()]

        self.assertEqual(values, [
            datetime.datetime(2012, 4, 4, 15, 6, 0, 456000),
            datetime.datetime(2012, 4, 4, 15, 6, 0, 123456),
        ])
Esempio n. 6
0
    def CheckSetIsolationLevel(self):
        # See issue 27881.
        class CustomStr(str):
            def upper(self):
                return None

            def __del__(self):
                con.isolation_level = ""

        con = sqlite.connect(":memory:")
        con.isolation_level = None
        for level in "", "DEFERRED", "IMMEDIATE", "EXCLUSIVE":
            with self.subTest(level=level):
                con.isolation_level = level
                con.isolation_level = level.lower()
                con.isolation_level = level.capitalize()
                con.isolation_level = CustomStr(level)

        # setting isolation_level failure should not alter previous state
        con.isolation_level = None
        con.isolation_level = "DEFERRED"
        pairs = [
            (1, TypeError),
            (b'', TypeError),
            ("abc", ValueError),
            ("IMMEDIATE\0EXCLUSIVE", ValueError),
            ("\xe9", ValueError),
        ]
        for value, exc in pairs:
            with self.subTest(level=value):
                with self.assertRaises(exc):
                    con.isolation_level = value
                self.assertEqual(con.isolation_level, "DEFERRED")
Esempio n. 7
0
    def setUp(self):
        self.con = sqlite.connect(":memory:")
        cur = self.con.cursor()
        cur.execute("""
            create table test(
                t text,
                i integer,
                f float,
                n,
                b blob
                )
            """)
        cur.execute("insert into test(t, i, f, n, b) values (?, ?, ?, ?, ?)", (
            "foo",
            5,
            3.14,
            None,
            memoryview(b"blob"),
        ))

        self.con.create_aggregate("nostep", 1, AggrNoStep)
        self.con.create_aggregate("nofinalize", 1, AggrNoFinalize)
        self.con.create_aggregate("excInit", 1, AggrExceptionInInit)
        self.con.create_aggregate("excStep", 1, AggrExceptionInStep)
        self.con.create_aggregate("excFinalize", 1, AggrExceptionInFinalize)
        self.con.create_aggregate("checkType", 2, AggrCheckType)
        self.con.create_aggregate("checkTypes", -1, AggrCheckTypes)
        self.con.create_aggregate("mysum", 1, AggrSum)
Esempio n. 8
0
 def CheckAutoCommit(self):
     """
     Verifies that creating a connection in autocommit mode works.
     2.5.3 introduced a regression so that these could no longer
     be created.
     """
     con = sqlite.connect(":memory:", isolation_level=None)
Esempio n. 9
0
    def CheckCommitCursorReset(self):
        """
        Connection.commit() did reset cursors, which made sqlite3
        to return rows multiple times when fetched from cursors
        after commit. See issues 10513 and 23129 for details.
        """
        con = sqlite.connect(":memory:")
        con.executescript("""
        create table t(c);
        create table t2(c);
        insert into t values(0);
        insert into t values(1);
        insert into t values(2);
        """)

        self.assertEqual(con.isolation_level, "")

        counter = 0
        for i, row in enumerate(con.execute("select c from t")):
            with self.subTest(i=i, row=row):
                con.execute("insert into t2(c) values (?)", (i, ))
                con.commit()
                if counter == 0:
                    self.assertEqual(row[0], 0)
                elif counter == 1:
                    self.assertEqual(row[0], 1)
                elif counter == 2:
                    self.assertEqual(row[0], 2)
                counter += 1
        self.assertEqual(counter, 3, "should have returned exactly three rows")
Esempio n. 10
0
 def CheckErrorCodeOnException(self):
     with self.assertRaises(sqlite.Error) as cm:
         db = sqlite.connect('/no/such/file/exists')
     e = cm.exception
     self.assertEqual(e.sqlite_errorcode, sqlite.SQLITE_CANTOPEN)
     self.assertEqual(e.sqlite_errorname, "SQLITE_CANTOPEN")
     self.assertEqual(str(e), "unable to open database file")
Esempio n. 11
0
    def test_dml_detection_cte(self):
        conn = sqlite.connect(':memory:')
        conn.execute('create table kv ("key" text, "val" integer)')
        self.assertFalse(conn.in_transaction)
        conn.execute('insert into kv (key, val) values (?, ?), (?, ?)',
                     ('k1', 1, 'k2', 2))
        self.assertTrue(conn.in_transaction)

        conn.commit()
        self.assertFalse(conn.in_transaction)

        rc = conn.execute('update kv set val=val + ?', (10,))
        self.assertEqual(rc.rowcount, 2)
        self.assertTrue(conn.in_transaction)
        conn.commit()
        self.assertFalse(conn.in_transaction)

        rc = conn.execute('with c(k, v) as (select key, val + ? from kv) '
                          'update kv set val=(select v from c where k=kv.key)',
                          (100,))
        self.assertEqual(rc.rowcount, 2)
        self.assertTrue(conn.in_transaction)

        curs = conn.execute('select key, val from kv order by key')
        self.assertEqual(curs.fetchall(), [('k1', 111), ('k2', 112)])
Esempio n. 12
0
 def CheckNullCharacter(self):
     # Issue #21147
     con = sqlite.connect(":memory:")
     self.assertRaises(ValueError, con, "\0select 1")
     self.assertRaises(ValueError, con, "select 1\0")
     cur = con.cursor()
     self.assertRaises(ValueError, cur.execute, " \0select 2")
     self.assertRaises(ValueError, cur.execute, "select 2\0")
Esempio n. 13
0
 def setUp(self):
     self.cx = sqlite.connect(":memory:")
     self.cu = self.cx.cursor()
     self.cu.execute("""
       CREATE TABLE test(
         id INTEGER PRIMARY KEY, name TEXT, unique_name TEXT UNIQUE
       );
     """)
Esempio n. 14
0
 def CheckClosedBlobRead(self):
     con = sqlite.connect(":memory:")
     con.execute("create table test(id integer primary key, blob_col blob)")
     con.execute("insert into test(blob_col) values (zeroblob(100))")
     blob = con.open_blob("test", "blob_col", 1)
     con.close()
     with self.assertRaises(sqlite.ProgrammingError):
         blob.read()
Esempio n. 15
0
 def setUp(self):
     self.con = sqlite.connect(":memory:")
     try:
         del sqlite.adapters[int]
     except:
         pass
     sqlite.register_adapter(int, ObjectAdaptationTests.cast)
     self.cur = self.con.cursor()
Esempio n. 16
0
 def test_bad_target_in_transaction(self):
     bck = sqlite.connect(':memory:')
     bck.execute('CREATE TABLE bar (key INTEGER)')
     bck.executemany('INSERT INTO bar (key) VALUES (?)', [(3, ), (4, )])
     with self.assertRaises(sqlite.OperationalError) as cm:
         self.cx.backup(bck)
     if sqlite.sqlite_version_info < (3, 8, 8):
         self.assertEqual(str(cm.exception), 'target is in transaction')
Esempio n. 17
0
    def test_failing_progress(self):
        def progress(status, remaining, total):
            raise SystemError('nearly out of space')

        with self.assertRaises(SystemError) as err:
            with sqlite.connect(':memory:') as bck:
                self.cx.backup(bck, progress=progress)
        self.assertEqual(str(err.exception), 'nearly out of space')
Esempio n. 18
0
 def setUp(self):
     self.conn = sqlite.connect(":memory:")
     self.conn.execute('create table sample (id integer primary key, '
                       'counter integer, value real);')
     self.conn.execute(
         'insert into sample (counter, value) values '
         '(?,?),(?,?),(?,?),(?,?),(?,?)',
         (1, 10., 1, 20., 2, 1., 2, 2., 3, 100.))
Esempio n. 19
0
    def CheckClosedSetProgressCallback(self):
        con = sqlite.connect(":memory:")
        con.close()

        def progress():
            pass

        with self.assertRaises(sqlite.ProgrammingError):
            con.set_progress_handler(progress, 100)
Esempio n. 20
0
    def setUp(self):
        self.con = sqlite.connect(":memory:", detect_types=sqlite.PARSE_COLNAMES)
        self.cur = self.con.cursor()
        self.cur.execute("create table test(x foo)")

        sqlite.converters["FOO"] = lambda x: "[%s]" % x.decode("ascii")
        sqlite.converters["BAR"] = lambda x: "<%s>" % x.decode("ascii")
        sqlite.converters["EXC"] = lambda x: 5/0
        sqlite.converters["B1B1"] = lambda x: "MARKER"
Esempio n. 21
0
    def CheckClosedCreateFunction(self):
        con = sqlite.connect(":memory:")
        con.close()

        def f(x):
            return 17

        with self.assertRaises(sqlite.ProgrammingError):
            con.create_function("foo", 1, f)
Esempio n. 22
0
    def CheckClosedSetAuthorizer(self):
        con = sqlite.connect(":memory:")
        con.close()

        def authorizer(*args):
            return sqlite.DENY

        with self.assertRaises(sqlite.ProgrammingError):
            con.set_authorizer(authorizer)
Esempio n. 23
0
 def CheckConnectionExecutemany(self):
     con = sqlite.connect(":memory:")
     con.execute("create table test(foo)")
     con.executemany("insert into test(foo) values (?)", [(3, ), (4, )])
     result = con.execute("select foo from test order by foo").fetchall()
     self.assertEqual(result[0][0], 3,
                      "Basic test of Connection.executemany")
     self.assertEqual(result[1][0], 4,
                      "Basic test of Connection.executemany")
Esempio n. 24
0
    def connector() -> sqlite3.Connection:
        if isinstance(database, str):
            loc = database
        elif isinstance(database, bytes):
            loc = database.decode("utf-8")
        else:
            loc = str(database)

        return sqlite3.connect(loc, **kwargs)
Esempio n. 25
0
 def CheckPragmaSchemaVersion(self):
     # This still crashed pysqlite <= 2.2.1
     con = sqlite.connect(":memory:", detect_types=sqlite.PARSE_COLNAMES)
     try:
         cur = self.con.cursor()
         cur.execute("pragma schema_version")
     finally:
         cur.close()
         con.close()
Esempio n. 26
0
 def setUp(self):
     self.cx = sqlite.connect(":memory:")
     self.cx.execute(
         "create table test(id integer primary key, blob_col blob)")
     self.blob_data = b"a" * 100
     self.cx.execute("insert into test(blob_col) values (?)",
                     (self.blob_data, ))
     self.blob = self.cx.open_blob("test", "blob_col", 1)
     self.second_data = b"b" * 100
Esempio n. 27
0
 def getdata(self):
     from pysqlite3 import dbapi2 as sqlite3
     self.db = sqlite3.connect(self.dbname + '.db', timeout=86400000000.0)
     self.db_cursor = self.db.cursor()
     back = [
         row
         for row in self.db_cursor.execute('SELECT * FROM ' + self.dbname)
     ]
     self.db.close()
     return back
Esempio n. 28
0
    def test_database_source_name(self):
        with sqlite.connect(':memory:') as bck:
            self.cx.backup(bck, name='main')
        with sqlite.connect(':memory:') as bck:
            self.cx.backup(bck, name='temp')
        with self.assertRaises(sqlite.OperationalError) as cm:
            with sqlite.connect(':memory:') as bck:
                self.cx.backup(bck, name='non-existing')
        self.assertIn(
            str(cm.exception),
            ['SQL logic error', 'SQL logic error or missing database'])

        self.cx.execute("ATTACH DATABASE ':memory:' AS attached_db")
        self.cx.execute('CREATE TABLE attached_db.foo (key INTEGER)')
        self.cx.executemany('INSERT INTO attached_db.foo (key) VALUES (?)',
                            [(3, ), (4, )])
        self.cx.commit()
        with sqlite.connect(':memory:') as bck:
            self.cx.backup(bck, name='attached_db')
            self.verify_backup(bck)
Esempio n. 29
0
 def CheckDeregisterCollation(self):
     """
     Register a collation, then deregister it. Make sure an error is raised if we try
     to use it.
     """
     con = sqlite.connect(":memory:")
     con.create_collation("mycoll", lambda x, y: (x > y) - (x < y))
     con.create_collation("mycoll", None)
     with self.assertRaises(sqlite.OperationalError) as cm:
         con.execute("select 'a' as x union select 'b' as x order by x collate mycoll")
     self.assertEqual(str(cm.exception), 'no such collation sequence: mycoll')
Esempio n. 30
0
 def CheckClearTraceCallback(self):
     """
     Test that setting the trace callback to None clears the previously set callback.
     """
     con = sqlite.connect(":memory:")
     traced_statements = []
     def trace(statement):
         traced_statements.append(statement)
     con.set_trace_callback(trace)
     con.set_trace_callback(None)
     con.execute("create table foo(a, b)")
     self.assertFalse(traced_statements, "trace callback was not cleared")