dump.py 2.9 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283
  1. # Author: Paul Kippes <kippesp@gmail.com>
  2. import unittest
  3. import sqlite3 as sqlite
  4. class DumpTests(unittest.TestCase):
  5. def setUp(self):
  6. self.cx = sqlite.connect(":memory:")
  7. self.cu = self.cx.cursor()
  8. def tearDown(self):
  9. self.cx.close()
  10. def CheckTableDump(self):
  11. expected_sqls = [
  12. """CREATE TABLE "index"("index" blob);"""
  13. ,
  14. """INSERT INTO "index" VALUES(X'01');"""
  15. ,
  16. """CREATE TABLE "quoted""table"("quoted""field" text);"""
  17. ,
  18. """INSERT INTO "quoted""table" VALUES('quoted''value');"""
  19. ,
  20. "CREATE TABLE t1(id integer primary key, s1 text, " \
  21. "t1_i1 integer not null, i2 integer, unique (s1), " \
  22. "constraint t1_idx1 unique (i2));"
  23. ,
  24. "INSERT INTO \"t1\" VALUES(1,'foo',10,20);"
  25. ,
  26. "INSERT INTO \"t1\" VALUES(2,'foo2',30,30);"
  27. ,
  28. u"INSERT INTO \"t1\" VALUES(3,'f\xc3\xb6',40,10);"
  29. ,
  30. "CREATE TABLE t2(id integer, t2_i1 integer, " \
  31. "t2_i2 integer, primary key (id)," \
  32. "foreign key(t2_i1) references t1(t1_i1));"
  33. ,
  34. "CREATE TRIGGER trigger_1 update of t1_i1 on t1 " \
  35. "begin " \
  36. "update t2 set t2_i1 = new.t1_i1 where t2_i1 = old.t1_i1; " \
  37. "end;"
  38. ,
  39. "CREATE VIEW v1 as select * from t1 left join t2 " \
  40. "using (id);"
  41. ]
  42. [self.cu.execute(s) for s in expected_sqls]
  43. i = self.cx.iterdump()
  44. actual_sqls = [s for s in i]
  45. expected_sqls = ['BEGIN TRANSACTION;'] + expected_sqls + \
  46. ['COMMIT;']
  47. [self.assertEqual(expected_sqls[i], actual_sqls[i])
  48. for i in xrange(len(expected_sqls))]
  49. def CheckUnorderableRow(self):
  50. # iterdump() should be able to cope with unorderable row types (issue #15545)
  51. class UnorderableRow:
  52. def __init__(self, cursor, row):
  53. self.row = row
  54. def __getitem__(self, index):
  55. return self.row[index]
  56. self.cx.row_factory = UnorderableRow
  57. CREATE_ALPHA = """CREATE TABLE "alpha" ("one");"""
  58. CREATE_BETA = """CREATE TABLE "beta" ("two");"""
  59. expected = [
  60. "BEGIN TRANSACTION;",
  61. CREATE_ALPHA,
  62. CREATE_BETA,
  63. "COMMIT;"
  64. ]
  65. self.cu.execute(CREATE_BETA)
  66. self.cu.execute(CREATE_ALPHA)
  67. got = list(self.cx.iterdump())
  68. self.assertEqual(expected, got)
  69. def suite():
  70. return unittest.TestSuite(unittest.makeSuite(DumpTests, "Check"))
  71. def test():
  72. runner = unittest.TextTestRunner()
  73. runner.run(suite())
  74. if __name__ == "__main__":
  75. test()