當前位置: 首頁>>代碼示例>>Python>>正文


Python sqlite3.Cursor方法代碼示例

本文整理匯總了Python中sqlite3.Cursor方法的典型用法代碼示例。如果您正苦於以下問題:Python sqlite3.Cursor方法的具體用法?Python sqlite3.Cursor怎麽用?Python sqlite3.Cursor使用的例子?那麽, 這裏精選的方法代碼示例或許可以為您提供幫助。您也可以進一步了解該方法所在sqlite3的用法示例。


在下文中一共展示了sqlite3.Cursor方法的15個代碼示例,這些例子默認根據受歡迎程度排序。您可以為喜歡或者感覺有用的代碼點讚,您的評價將有助於係統推薦出更棒的Python代碼示例。

示例1: CheckCursorConstructorCallCheck

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def CheckCursorConstructorCallCheck(self):
        """
        Verifies that cursor methods check whether base class __init__ was
        called.
        """
        class Cursor(sqlite.Cursor):
            def __init__(self, con):
                pass

        con = sqlite.connect(":memory:")
        cur = Cursor(con)
        try:
            cur.execute("select 4+5").fetchall()
            self.fail("should have raised ProgrammingError")
        except sqlite.ProgrammingError:
            pass
        except:
            self.fail("should have raised ProgrammingError") 
開發者ID:vmware-archive,項目名稱:vsphere-storage-for-docker,代碼行數:20,代碼來源:regression.py

示例2: CheckCursorConstructorCallCheck

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def CheckCursorConstructorCallCheck(self):
        """
        Verifies that cursor methods check whether base class __init__ was
        called.
        """
        class Cursor(sqlite.Cursor):
            def __init__(self, con):
                pass

        con = sqlite.connect(":memory:")
        cur = Cursor(con)
        try:
            cur.execute("select 4+5").fetchall()
            self.fail("should have raised ProgrammingError")
        except sqlite.ProgrammingError:
            pass
        except:
            self.fail("should have raised ProgrammingError")
        with self.assertRaisesRegexp(sqlite.ProgrammingError,
                                     r'^Base Cursor\.__init__ not called\.$'):
            cur.close() 
開發者ID:IronLanguages,項目名稱:ironpython2,代碼行數:23,代碼來源:regression.py

示例3: CheckCursorConstructorCallCheck

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def CheckCursorConstructorCallCheck(self):
        """
        Verifies that cursor methods check wether base class __init__ was called.
        """
        class Cursor(sqlite.Cursor):
            def __init__(self, con):
                pass

        con = sqlite.connect(":memory:")
        cur = Cursor(con)
        try:
            cur.execute("select 4+5").fetchall()
            self.fail("should have raised ProgrammingError")
        except sqlite.ProgrammingError:
            pass
        except:
            self.fail("should have raised ProgrammingError") 
開發者ID:dxwu,項目名稱:BinderFilter,代碼行數:19,代碼來源:regression.py

示例4: delete

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def delete(self, table_name: str, where: Optional[WhereQuery] = None) -> Optional[Cursor]:
        """
        Send a DELETE query to the database.

        :param str table_name: Table name of executing the query.
        :param where: |arg_select_where|
        :type where: |arg_where_type|
        """

        self.validate_access_permission(["w", "a"])
        self.verify_table_existence(table_name)

        query = "DELETE FROM {:s}".format(table_name)
        if where:
            query += " WHERE {:s}".format(where)

        return self.execute_query(query, logging.getLogger().findCaller()) 
開發者ID:thombashi,項目名稱:SimpleSQLite,代碼行數:19,代碼來源:core.py

示例5: insert_system

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def insert_system(cur, system_name, encoded_data=None):
    """Insert a system name into the cache.

    Args:
        cur (:class:`sqlite3.Cursor`):
            An sqlite3 cursor. This function is meant to be run within a :obj:`with` statement.

        system_name (str):
            The unique name of a system

        encoded_data (dict, optional):
            If a dictionary is provided, it will be populated with the serialized data. This is
            useful for preventing encoding the same information many times.

    """
    if encoded_data is None:
        encoded_data = {}

    if 'system_name' not in encoded_data:
        encoded_data['system_name'] = system_name

    insert = "INSERT OR IGNORE INTO system(system_name) VALUES (:system_name);"
    cur.execute(insert, encoded_data) 
開發者ID:dwavesystems,項目名稱:dwave-system,代碼行數:25,代碼來源:database_manager.py

示例6: execute

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def execute(cls, query, params=()):
        """
        This method executes a query with parameters.

        :param str query: The query.
        :param tuple params: The parameters.
        :rtype: sqlite3.Cursor
        """

        Model.lock.acquire()

        try:
            result = Model.db.execute(query, params)
        finally:
            Model.lock.release()

        return result 
開發者ID:zerofox-oss,項目名稱:deepstar,代碼行數:19,代碼來源:model.py

示例7: test_get_db_connection

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def test_get_db_connection():
    """ Test PhotosDB.get_db_connection """
    import osxphotos
    import sqlite3

    photosdb = osxphotos.PhotosDB(dbfile=PHOTOS_DB)
    conn, cursor = photosdb.get_db_connection()

    assert isinstance(conn, sqlite3.Connection)
    assert isinstance(cursor, sqlite3.Cursor)

    results = conn.execute(
        "SELECT ZUUID FROM ZGENERICASSET WHERE ZFAVORITE = 1;"
    ).fetchall()
    assert len(results) == 1
    assert results[0][0] == "E9BC5C36-7CD1-40A1-A72B-8B8FAC227D51"  # uuid

    conn.close() 
開發者ID:RhetTbull,項目名稱:osxphotos,代碼行數:20,代碼來源:test_catalina_10_15_5.py

示例8: CheckCursorConstructorCallCheck

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def CheckCursorConstructorCallCheck(self):
        """
        Verifies that cursor methods check whether base class __init__ was
        called.
        """
        class Cursor(sqlite.Cursor):
            def __init__(self, con):
                pass

        con = sqlite.connect(":memory:")
        cur = Cursor(con)
        with self.assertRaises(sqlite.ProgrammingError):
            cur.execute("select 4+5").fetchall()
        with self.assertRaisesRegex(sqlite.ProgrammingError,
                                    r'^Base Cursor\.__init__ not called\.$'):
            cur.close() 
開發者ID:CedricGuillemet,項目名稱:Imogen,代碼行數:18,代碼來源:regression.py

示例9: CheckCursorRegistration

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def CheckCursorRegistration(self):
        """
        Verifies that subclassed cursor classes are correctly registered with
        the connection object, too.  (fetch-across-rollback problem)
        """
        class Connection(sqlite.Connection):
            def cursor(self):
                return Cursor(self)

        class Cursor(sqlite.Cursor):
            def __init__(self, con):
                sqlite.Cursor.__init__(self, con)

        con = Connection(":memory:")
        cur = con.cursor()
        cur.execute("create table foo(x)")
        cur.executemany("insert into foo(x) values (?)", [(3,), (4,), (5,)])
        cur.execute("select x from foo")
        con.rollback()
        with self.assertRaises(sqlite.InterfaceError):
            cur.fetchall() 
開發者ID:CedricGuillemet,項目名稱:Imogen,代碼行數:23,代碼來源:regression.py

示例10: sqlite3

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def sqlite3(self, conn, sql, parameters=None, *args, **kwargs):
        """
        Reads input by querying from a sqlite database.

        >>> seq.sqlite3('examples/users.db', 'select id, name from users where id = 1;').first()
        [(1, 'Tom')]

        :param conn: path or sqlite connection, cursor
        :param sql: SQL query string
        :param parameters: Parameters for sql query
        :return: Sequence wrapping SQL cursor
        """

        if parameters is None:
            parameters = ()

        if isinstance(conn, (sqlite3api.Connection, sqlite3api.Cursor)):
            return self(conn.execute(sql, parameters))
        elif isinstance(conn, str):
            with sqlite3api.connect(conn, *args, **kwargs) as input_conn:
                return self(input_conn.execute(sql, parameters))
        else:
            raise ValueError(
                "conn must be a must be a file path or sqlite3 Connection/Cursor"
            ) 
開發者ID:EntilZha,項目名稱:PyFunctional,代碼行數:27,代碼來源:streams.py

示例11: __init__

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def __init__(
        self,
        schema_path: str,
        cursor: Cursor = None,
        use_prelinked_entities: bool = True,
        variable_free: bool = True,
        use_untyped_entities: bool = False,
    ) -> None:
        self.cursor = cursor
        self.schema = read_dataset_schema(schema_path)
        self.columns = {column.name: column for table in self.schema.values() for column in table}
        self.dataset_name = os.path.basename(schema_path).split("-")[0]
        self.use_prelinked_entities = use_prelinked_entities
        self.variable_free = variable_free
        self.use_untyped_entities = use_untyped_entities

        # NOTE: This base dictionary should not be modified.
        self.base_grammar_dictionary = self._initialize_grammar_dictionary(
            deepcopy(GRAMMAR_DICTIONARY)
        ) 
開發者ID:allenai,項目名稱:allennlp-semparse,代碼行數:22,代碼來源:text2sql_world.py

示例12: default

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def default(self, obj):
        if isinstance(obj, sqlite3.Row):
            return tuple(obj)
        if isinstance(obj, sqlite3.Cursor):
            return list(obj)
        if isinstance(obj, bytes):
            # Does it encode to utf8?
            try:
                return obj.decode("utf8")
            except UnicodeDecodeError:
                return {
                    "$base64": True,
                    "encoded": base64.b64encode(obj).decode("latin1"),
                }
        return json.JSONEncoder.default(self, obj) 
開發者ID:simonw,項目名稱:datasette,代碼行數:17,代碼來源:__init__.py

示例13: query

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def query(query: str, *param: str) -> 'sqlite3.Cursor':  # type: ignore
  """
  Performs the given query on our sqlite manual cache. This database should
  be treated as being read-only. File permissions generally enforce this, and
  in the future will be enforced by this function as well.

  ::

    >>> import stem.manual
    >>> print(stem.manual.query('SELECT description FROM torrc WHERE key=?', 'CONTROLSOCKET').fetchone()[0])
    Like ControlPort, but listens on a Unix domain socket, rather than a TCP socket.  0 disables ControlSocket. (Unix and Unix-like systems only.) (Default: 0)

  .. versionadded:: 1.6.0

  :param query: query to run on the cache
  :param param: query parameters

  :returns: :class:`sqlite3.Cursor` with the query results

  :raises:
    * **ImportError** if the sqlite3 module is unavailable
    * **sqlite3.OperationalError** if query fails
  """

  try:
    import sqlite3
  except (ImportError, ModuleNotFoundError):
    raise ImportError('Querying requires the sqlite3 module')

  # The only reason to explicitly close the sqlite connection is to ensure
  # transactions are committed. Since we're only using read-only access this
  # doesn't matter, and can allow interpreter shutdown to do the needful.

  global DATABASE

  if DATABASE is None:
    DATABASE = sqlite3.connect('file:%s?mode=ro' % CACHE_PATH, uri=True)

  return DATABASE.execute(query, param) 
開發者ID:torproject,項目名稱:stem,代碼行數:41,代碼來源:manual.py

示例14: CheckCursorWrongClass

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def CheckCursorWrongClass(self):
        class Foo: pass
        foo = Foo()
        try:
            cur = sqlite.Cursor(foo)
            self.fail("should have raised a ValueError")
        except TypeError:
            pass 
開發者ID:vmware-archive,項目名稱:vsphere-storage-for-docker,代碼行數:10,代碼來源:dbapi.py

示例15: CheckCursorRegistration

# 需要導入模塊: import sqlite3 [as 別名]
# 或者: from sqlite3 import Cursor [as 別名]
def CheckCursorRegistration(self):
        """
        Verifies that subclassed cursor classes are correctly registered with
        the connection object, too.  (fetch-across-rollback problem)
        """
        class Connection(sqlite.Connection):
            def cursor(self):
                return Cursor(self)

        class Cursor(sqlite.Cursor):
            def __init__(self, con):
                sqlite.Cursor.__init__(self, con)

        con = Connection(":memory:")
        cur = con.cursor()
        cur.execute("create table foo(x)")
        cur.executemany("insert into foo(x) values (?)", [(3,), (4,), (5,)])
        cur.execute("select x from foo")
        con.rollback()
        try:
            cur.fetchall()
            self.fail("should have raised InterfaceError")
        except sqlite.InterfaceError:
            pass
        except:
            self.fail("should have raised InterfaceError") 
開發者ID:vmware-archive,項目名稱:vsphere-storage-for-docker,代碼行數:28,代碼來源:regression.py


注:本文中的sqlite3.Cursor方法示例由純淨天空整理自Github/MSDocs等開源代碼及文檔管理平台,相關代碼片段篩選自各路編程大神貢獻的開源項目,源碼版權歸原作者所有,傳播和使用請參考對應項目的License;未經允許,請勿轉載。