예제 #1
0
    def __init__(self,
                 host,
                 port,
                 user,
                 password,
                 dbname,
                 charset='utf8mb4',
                 beansdb=None,
                 autocommit=True,
                 report=lambda *args, **kwargs: None):

        super(MySQLDataBase, self).__init__(beansdb=beansdb,
                                            autocommit=autocommit,
                                            report=report)
        self.pool = Pool(
            lambda: get_conn(host, port, user, password, dbname, charset),
            conn_proxy_cls=MySQLConnProxy)
        self.modified_cursors = ThreadedObject(Queue)
예제 #2
0
    def __init__(self,
                 host,
                 port,
                 user,
                 password,
                 dbname,
                 charset='utf8mb4',
                 beansdb=None,
                 autocommit=True,
                 report=lambda *args, **kwargs: None,
                 pool_size=5,
                 pool_timeout=30,
                 pool_recycle=60 * 60,
                 pool_max_overflow=10):

        super().__init__(beansdb=beansdb, autocommit=autocommit, report=report)
        self.pool = Pool(
            lambda: create_conn(host, port, user, password, dbname, charset),
            conn_proxy_cls=PostgreSQLConnProxy,
            size=pool_size,
            timeout=pool_timeout,
            recycle=pool_recycle,
            max_overflow=pool_max_overflow,
        )
예제 #3
0
class PostgreSQLDataBase(BaseDataBase):
    ast_translator = PostgresSQLSQLASTTranslator()

    def __init__(self,
                 host,
                 port,
                 user,
                 password,
                 dbname,
                 charset='utf8mb4',
                 beansdb=None,
                 autocommit=True,
                 report=lambda *args, **kwargs: None,
                 pool_size=5,
                 pool_timeout=30,
                 pool_recycle=60 * 60,
                 pool_max_overflow=10):

        super().__init__(beansdb=beansdb, autocommit=autocommit, report=report)
        self.pool = Pool(
            lambda: create_conn(host, port, user, password, dbname, charset),
            conn_proxy_cls=PostgreSQLConnProxy,
            size=pool_size,
            timeout=pool_timeout,
            recycle=pool_recycle,
            max_overflow=pool_max_overflow,
        )

    def get_conn(self):
        return self.pool.acquire_conn()

    def get_cursor(self):  # pylint: disable=W
        assert self.in_transaction(), 'db.get_cursor must in transaction!'

        tran = self.get_last_transaction()
        conn = tran.conn
        if conn is None:
            conn = tran.conn = self.get_conn()

        cur = conn.cursor()
        return PostgreSQLCursor(cur, self)

    def get_tables(self):
        if self._tables is None:
            try:
                with self.transaction():
                    c = self.get_cursor()
                    c.execute(
                        'SELECT table_name FROM information_schema.tables WHERE table_schema = %s',
                        ('public', ))
                self._tables = {t for t, in c}
            except Exception:  # pragma: no cover
                return set()  # pragma: no cover
        return self._tables

    def get_fields(self,
                   table_name: str) -> List[Tuple[str, type, Optional[int]]]:
        fields = []
        try:
            with self.transaction():
                c = self.get_cursor()
                c.execute(
                    'SELECT column_name, data_type, character_maximum_length FROM information_schema.COLUMNS '
                    'WHERE table_name = %s', (table_name, ))
                for c_name, data_type, data_length in c:
                    f_type = str
                    if data_type in ('integer', 'smallint'):
                        f_type = int
                    fields.append((c_name, f_type, data_length))
        except Exception as e:  # pragma: no cover
            logger.error('get fields from %s failed: %s', table_name, str(e))
        return fields

    def get_index_rows(self, table_name):
        pk_name = f'{table_name}_pkey'
        if table_name not in self._index_rows_mapping:
            try:
                tables = self.get_tables()
                if table_name not in tables:
                    return []
                with self.transaction():
                    c = self.get_cursor()
                    c.execute(
                        'SELECT indexdef from pg_indexes where schemaname = %s and tablename = %s',
                        ('public', table_name))
                    res = []
                    for indexdef, in c:
                        m = PATTERN_INDEX_DEF.search(indexdef)
                        if not m:
                            continue
                        key_name = m.group('name')
                        unique = m.group('unique') is not None
                        btree = m.group('btree') is not None
                        fields = m.group('fields').split(',')
                        for idx, f in enumerate(fields):
                            f = f.strip()
                            res.append(
                                (table_name, 1 if not unique else 0, 'PRIMARY'
                                 if key_name == pk_name else key_name, idx + 1,
                                 f, 'A', 0, None, None, '',
                                 'BTREE' if btree else '', '', ''))
                self._index_rows_mapping[table_name] = res
            except Exception:  # pragma: no cover
                return []  # pragma: no cover
        return self._index_rows_mapping[table_name]

    def to_db_types_sql_asts(self) -> List[AST]:
        asts = []

        existing_enums = {}
        with self.transaction():
            rv = self.execute(
                'select t.typname, e.enumlabel from pg_type as t join pg_enum as e on t.oid = e.enumtypid'
            )
            for name, label in rv:
                existing_enums.setdefault(name, []).append(label)

        seen = set()

        for model in self._models:
            for k in model.__sorted_fields__:
                f = getattr(model, k)

                if isinstance(f.type, type) and issubclass(f.type, Enum):
                    enum_name = camel2underscore(f.type.__name__)

                    if enum_name in seen:
                        continue

                    seen.add(enum_name)

                    enum_labels = existing_enums.get(enum_name)

                    if enum_labels is None:
                        enum_labels = list(f.type.__members__)
                        asts.append([
                            'CREATE_ENUM',
                            enum_name,
                            enum_labels,
                        ])
                        continue

                    for member_name in f.type.__members__:
                        if member_name not in enum_labels:
                            asts.append([
                                'ADD_ENUM_LABEL', enum_name,
                                enum_labels[-1] if enum_labels else '',
                                member_name
                            ])
                            enum_labels.append(member_name)
        return asts
예제 #4
0
class MySQLDataBase(BaseDataBase):
    def __init__(self,
                 host,
                 port,
                 user,
                 password,
                 dbname,
                 charset='utf8mb4',
                 beansdb=None,
                 autocommit=True,
                 report=lambda *args, **kwargs: None):

        super(MySQLDataBase, self).__init__(beansdb=beansdb,
                                            autocommit=autocommit,
                                            report=report)
        self.pool = Pool(
            lambda: get_conn(host, port, user, password, dbname, charset),
            conn_proxy_cls=MySQLConnProxy)
        self.modified_cursors = ThreadedObject(Queue)

    def get_conn(self):
        return self.pool.get_conn()

    def get_cursor(self):  # pylint: disable=W
        conn = self.get_conn()
        cur = conn.cursor()
        return OLOCursor(cur, self)

    def sql_execute(self, sql, params=None, **kwargs):  # pylint: disable=W
        cmd = None
        try:
            cmd, _ = parse_execute_sql(sql)
        except Exception:  # pylint: disable=W
            pass
        cur = self.get_cursor()
        res = cur.execute(sql, params, **kwargs)
        if cmd == 'select':
            return cur.fetchall()
        cur.is_modified = True
        self.modified_cursors.put_nowait(cur)
        if (not kwargs.get('executemany') and cmd == 'insert'
                and cur.lastrowid):
            return cur.lastrowid
        return res

    def sql_commit(self):
        first_err = None
        while not self.modified_cursors.empty():
            try:
                cur = self.modified_cursors.get_nowait()
                try:
                    cur.conn.commit()
                    cur.is_modified = False
                except Exception as e:  # pylint: disable=W
                    if first_err is None:
                        first_err = e
            except Empty:
                pass
        if first_err is not None:
            raise first_err  # pylint: disable=E

    def sql_rollback(self):
        first_err = None
        while not self.modified_cursors.empty():
            try:
                cur = self.modified_cursors.get_nowait()
                try:
                    cur.conn.rollback()
                    cur.is_modified = False
                except Exception as e:  # pylint: disable=W
                    if first_err is None:
                        first_err = e
            except Empty:
                pass
        if first_err is not None:
            raise first_err  # pylint: disable=E
예제 #5
0
파일: mysql.py 프로젝트: tyong920/olo
class MySQLDataBase(BaseDataBase):
    def __init__(self,
                 host,
                 port,
                 user,
                 password,
                 dbname,
                 charset='utf8mb4',
                 beansdb=None,
                 autocommit=True,
                 report=lambda *args, **kwargs: None):

        super(MySQLDataBase, self).__init__(beansdb=beansdb,
                                            autocommit=autocommit,
                                            report=report)
        self.pool = Pool(
            lambda: create_conn(host, port, user, password, dbname, charset),
            conn_proxy_cls=MySQLConnProxy)
        self.modified_cursors = ThreadedObject(Queue)

    def get_conn(self):
        return self.pool.acquire_conn()

    def get_cursor(self):  # pylint: disable=W
        assert self.in_transaction(), 'db.get_cursor must in transaction!'

        tran = self.get_last_transaction()
        conn = tran.conn
        if conn is None:
            conn = tran.conn = self.get_conn()

        cur = conn.cursor()
        return OLOCursor(cur, self)

    def sql_execute(self, sql, params=None, **kwargs):  # pylint: disable=W
        cmd = None
        try:
            cmd, _ = parse_execute_sql(sql)
        except Exception:  # pragma: no cover pylint: disable=W
            pass  # pragma: no cover
        cur = self.get_cursor()
        res = cur.execute(sql, params, **kwargs)
        if cmd == 'select':
            return cur.fetchall()
        cur.is_modified = True
        self.modified_cursors.put_nowait(cur)
        if (not kwargs.get('executemany') and cmd == 'insert'
                and cur.lastrowid):
            return cur.lastrowid
        return res

    def sql_commit(self):
        first_err = None
        commited = set()
        while not self.modified_cursors.empty():
            try:
                cur = self.modified_cursors.get_nowait()
                try:
                    if cur.conn not in commited:
                        commited.add(cur.conn)
                        cur.conn.commit()
                        self.log('COMMIT')
                    cur.is_modified = False
                except Exception as e:  # pragma: no cover pylint: disable=W
                    if first_err is None:  # pragma: no cover
                        first_err = e  # pragma: no cover
            except Empty:  # pragma: no cover
                pass  # pragma: no cover
        if first_err is not None:
            raise first_err  # pragma: no cover pylint: disable=E

    def sql_rollback(self):
        first_err = None
        rollbacked = set()
        while not self.modified_cursors.empty():
            try:
                cur = self.modified_cursors.get_nowait()
                try:
                    if cur.conn not in rollbacked:
                        rollbacked.add(cur.conn)
                        cur.conn.rollback()
                        self.log('ROLLBACK')
                    cur.is_modified = False
                except Exception as e:  # pragma: no cover pylint: disable=W
                    if first_err is None:  # pragma: no cover
                        first_err = e  # pragma: no cover
            except Empty:  # pragma: no cover
                pass  # pragma: no cover
        if first_err is not None:
            raise first_err  # pragma: no cover pylint: disable=E