File: utils.py

package info (click to toggle)
pytds 1.16.0-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 868 kB
  • sloc: python: 12,831; makefile: 199; sh: 8
file content (209 lines) | stat: -rw-r--r-- 6,082 bytes parent folder | download
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
import hashlib
import sys
import unittest
from io import BytesIO

import pytds
import settings


if sys.version_info.major < 3:
    # patch unittest.TestCase for Python 2.7
    unittest.TestCase.assertRaisesRegex = unittest.TestCase.assertRaisesRegexp


class BytesSocket(pytds.tds_base.TransportProtocol):
    """
    Provides socket interface for BytesIO
    """

    def __init__(self, bytes: bytes):
        self._data = BytesIO(bytes)

    def recv_into(self, buffer, size) -> int:
        return self._data.readinto(buffer[:size])


class MockSock:
    def __init__(self, input_packets=()):
        self.set_input(input_packets)
        self._out_packets = []
        self._closed = False

    def recv(self, size):
        if not self.is_open():
            raise Exception("Connection closed")
        if self._curr_packet >= len(self._packets):
            return b""
        if self._packet_pos >= len(self._packets[self._curr_packet]):
            self._curr_packet += 1
            self._packet_pos = 0
        if self._curr_packet >= len(self._packets):
            return b""
        res = self._packets[self._curr_packet][
            self._packet_pos : self._packet_pos + size
        ]
        self._packet_pos += len(res)
        return res

    def recv_into(self, buffer, size=0):
        if not self.is_open():
            raise Exception("Connection closed")
        if size == 0:
            size = len(buffer)
        res = self.recv(size)
        buffer[0 : len(res)] = res
        return len(res)

    def send(self, buf, flags=0):
        if not self.is_open():
            raise Exception("Connection closed")
        self._out_packets.append(buf)
        return len(buf)

    def sendall(self, buf, flags=0):
        if not self.is_open():
            raise Exception("Connection closed")
        self._out_packets.append(buf)

    def setsockopt(self, *args):
        pass

    def close(self):
        self._closed = True

    def is_open(self):
        return not self._closed

    def consume_output(self):
        """
        Retrieve data from output queue and then clear output queue
        @return: bytes
        """
        res = self._out_packets
        self._out_packets = []
        return b"".join(res)

    def set_input(self, packets):
        """
        Resets input queue
        @param packets: List of input packets
        """
        self._packets = packets
        self._curr_packet = 0
        self._packet_pos = 0


def does_database_exist(cursor: pytds.Cursor, name: str) -> bool:
    """
    Checks if given database exist and returns true if it does
    """
    db_id = cursor.execute_scalar("select db_id(%s)", (name,))
    return db_id is not None


def does_schema_exist(cursor: pytds.Cursor, name: str, database: str) -> bool:
    val = cursor.execute_scalar(
        f"""
        select count(*) from {database}.information_schema.schemata
        where schema_name = cast(%s as nvarchar(max))
        """,
        (name,),
    )
    return val > 0


def does_stored_proc_exist(
    cursor: pytds.Cursor, name: str, database: str, schema: str = "dbo"
) -> bool:
    val = cursor.execute_scalar(
        f"""
        select count(*) from {database}.information_schema.routines
        where routine_schema = cast(%s as nvarchar(max)) and routine_name = cast(%s as nvarchar(max))
        """,
        (schema, name),
    )
    return val > 0


def does_table_exist(
    cursor: pytds.Cursor, name: str, database: str, schema: str = "dbo"
) -> bool:
    val = cursor.execute_scalar(
        f"""
        select count(*) from {database}.information_schema.tables
        where table_schema = cast(%s as nvarchar(max)) and table_name = cast(%s as nvarchar(max))
        """,
        (schema, name),
    )
    return val > 0


def does_user_defined_type_exist(cursor: pytds.Cursor, name: str) -> bool:
    val = cursor.execute_scalar("select type_id(%s)", (name,))
    return val is not None


def create_test_database(connection: pytds.Connection):
    with connection.cursor() as cur:
        if not does_database_exist(cursor=cur, name=settings.DATABASE):
            cur.execute(f"create database [{settings.DATABASE}]")
        cur.execute(f"use [{settings.DATABASE}]")
        if not does_schema_exist(
            cursor=cur, name="myschema", database=settings.DATABASE
        ):
            cur.execute("create schema myschema")
        if not does_table_exist(
            cursor=cur,
            name="bulk_insert_table",
            schema="myschema",
            database=settings.DATABASE,
        ):
            cur.execute(
                "create table myschema.bulk_insert_table(num int, data varchar(100))"
            )
        if not does_stored_proc_exist(
            cursor=cur, name="testproc", database=settings.DATABASE
        ):
            cur.execute(
                """
            create procedure testproc (@param int, @add int = 2, @outparam int output)
            as
            begin
                set nocount on
                --select @param
                set @outparam = @param + @add
                return @outparam
            end
            """
            )
        # Stored procedure which does not have RETURN statement
        if not does_stored_proc_exist(
            cursor=cur, name="test_proc_no_return", database=settings.DATABASE
        ):
            cur.execute(
                """
            create procedure test_proc_no_return(@param int)
            as
            begin
                select @param
            end
            """
            )
        if not does_user_defined_type_exist(cursor=cur, name="dbo.CategoryTableType"):
            cur.execute(
                "CREATE TYPE dbo.CategoryTableType AS TABLE ( CategoryID int, CategoryName nvarchar(50) )"
            )


def tran_count(cursor: pytds.Cursor) -> int:
    return cursor.execute_scalar("select @@trancount")


def hashlib_supports_md4() -> bool:
    try:
        hashlib.new('md4', b'test').digest()
    except ValueError as e:
        return False
    else:
        return True