Uploaded Test files
This commit is contained in:
parent
f584ad9d97
commit
2e81cb7d99
16627 changed files with 2065359 additions and 102444 deletions
56
venv/Lib/site-packages/adodbapi/__init__.py
Normal file
56
venv/Lib/site-packages/adodbapi/__init__.py
Normal file
|
@ -0,0 +1,56 @@
|
|||
"""adodbapi - A python DB API 2.0 (PEP 249) interface to Microsoft ADO
|
||||
|
||||
Copyright (C) 2002 Henrik Ekelund, version 2.1 by Vernon Cole
|
||||
* http://sourceforge.net/projects/adodbapi
|
||||
"""
|
||||
import sys
|
||||
import time
|
||||
|
||||
if sys.version_info < (3,0): # in Python 2, define all symbols, just like the bad old way
|
||||
from .apibase import *
|
||||
VariantConversionMap = MultiMap # old name. Should use apibase.MultiMap
|
||||
from .ado_consts import *
|
||||
_makeByteBuffer = buffer
|
||||
else:
|
||||
# but if the user is running Python 3, then keep the dictionary clean
|
||||
from .apibase import apilevel, threadsafety, paramstyle
|
||||
from .apibase import Warning, Error, InterfaceError, DatabaseError, DataError, OperationalError, IntegrityError
|
||||
from .apibase import InternalError, ProgrammingError, NotSupportedError, FetchFailedError
|
||||
from .apibase import NUMBER, STRING, BINARY, DATETIME, ROWID
|
||||
_makeByteBuffer = bytes
|
||||
|
||||
from .adodbapi import connect, Connection, __version__, dateconverter, Cursor
|
||||
|
||||
def Binary(aString):
|
||||
"""This function constructs an object capable of holding a binary (long) string value. """
|
||||
return _makeByteBuffer(aString)
|
||||
|
||||
def Date(year,month,day):
|
||||
"This function constructs an object holding a date value. "
|
||||
return dateconverter.Date(year,month,day)
|
||||
|
||||
def Time(hour,minute,second):
|
||||
"This function constructs an object holding a time value. "
|
||||
return dateconverter.Time(hour,minute,second)
|
||||
|
||||
def Timestamp(year,month,day,hour,minute,second):
|
||||
"This function constructs an object holding a time stamp value. "
|
||||
return dateconverter.Timestamp(year,month,day,hour,minute,second)
|
||||
|
||||
def DateFromTicks(ticks):
|
||||
"""This function constructs an object holding a date value from the given ticks value
|
||||
(number of seconds since the epoch; see the documentation of the standard Python time module for details). """
|
||||
return Date(*time.gmtime(ticks)[:3])
|
||||
|
||||
def TimeFromTicks(ticks):
|
||||
"""This function constructs an object holding a time value from the given ticks value
|
||||
(number of seconds since the epoch; see the documentation of the standard Python time module for details). """
|
||||
return Time(*time.gmtime(ticks)[3:6])
|
||||
|
||||
def TimestampFromTicks(ticks):
|
||||
"""This function constructs an object holding a time stamp value from the given
|
||||
ticks value (number of seconds since the epoch;
|
||||
see the documentation of the standard Python time module for details). """
|
||||
return Timestamp(*time.gmtime(ticks)[:6])
|
||||
|
||||
version = 'adodbapi v' + __version__
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
BIN
venv/Lib/site-packages/adodbapi/__pycache__/setup.cpython-36.pyc
Normal file
BIN
venv/Lib/site-packages/adodbapi/__pycache__/setup.cpython-36.pyc
Normal file
Binary file not shown.
276
venv/Lib/site-packages/adodbapi/ado_consts.py
Normal file
276
venv/Lib/site-packages/adodbapi/ado_consts.py
Normal file
|
@ -0,0 +1,276 @@
|
|||
# ADO enumerated constants documented on MSDN:
|
||||
# http://msdn.microsoft.com/en-us/library/ms678353(VS.85).aspx
|
||||
|
||||
# IsolationLevelEnum
|
||||
adXactUnspecified = -1
|
||||
adXactBrowse = 0x100
|
||||
adXactChaos = 0x10
|
||||
adXactCursorStability = 0x1000
|
||||
adXactIsolated = 0x100000
|
||||
adXactReadCommitted = 0x1000
|
||||
adXactReadUncommitted = 0x100
|
||||
adXactRepeatableRead = 0x10000
|
||||
adXactSerializable = 0x100000
|
||||
|
||||
# CursorLocationEnum
|
||||
adUseClient = 3
|
||||
adUseServer = 2
|
||||
|
||||
# CursorTypeEnum
|
||||
adOpenDynamic = 2
|
||||
adOpenForwardOnly = 0
|
||||
adOpenKeyset = 1
|
||||
adOpenStatic = 3
|
||||
adOpenUnspecified = -1
|
||||
|
||||
# CommandTypeEnum
|
||||
adCmdText = 1
|
||||
adCmdStoredProc = 4
|
||||
adSchemaTables = 20
|
||||
|
||||
# ParameterDirectionEnum
|
||||
adParamInput = 1
|
||||
adParamInputOutput = 3
|
||||
adParamOutput = 2
|
||||
adParamReturnValue = 4
|
||||
adParamUnknown = 0
|
||||
directions = {
|
||||
0: 'Unknown',
|
||||
1: 'Input',
|
||||
2: 'Output',
|
||||
3: 'InputOutput',
|
||||
4: 'Return',
|
||||
}
|
||||
def ado_direction_name(ado_dir):
|
||||
try:
|
||||
return 'adParam' + directions[ado_dir]
|
||||
except:
|
||||
return 'unknown direction ('+str(ado_dir)+')'
|
||||
|
||||
# ObjectStateEnum
|
||||
adStateClosed = 0
|
||||
adStateOpen = 1
|
||||
adStateConnecting = 2
|
||||
adStateExecuting = 4
|
||||
adStateFetching = 8
|
||||
|
||||
# FieldAttributeEnum
|
||||
adFldMayBeNull = 0x40
|
||||
|
||||
# ConnectModeEnum
|
||||
adModeUnknown = 0
|
||||
adModeRead = 1
|
||||
adModeWrite = 2
|
||||
adModeReadWrite = 3
|
||||
adModeShareDenyRead = 4
|
||||
adModeShareDenyWrite = 8
|
||||
adModeShareExclusive = 12
|
||||
adModeShareDenyNone = 16
|
||||
adModeRecursive = 0x400000
|
||||
|
||||
# XactAttributeEnum
|
||||
adXactCommitRetaining = 131072
|
||||
adXactAbortRetaining = 262144
|
||||
|
||||
ado_error_TIMEOUT = -2147217871
|
||||
|
||||
# DataTypeEnum - ADO Data types documented at:
|
||||
# http://msdn2.microsoft.com/en-us/library/ms675318.aspx
|
||||
adArray = 0x2000
|
||||
adEmpty = 0x0
|
||||
adBSTR = 0x8
|
||||
adBigInt = 0x14
|
||||
adBinary = 0x80
|
||||
adBoolean = 0xb
|
||||
adChapter = 0x88
|
||||
adChar = 0x81
|
||||
adCurrency = 0x6
|
||||
adDBDate = 0x85
|
||||
adDBTime = 0x86
|
||||
adDBTimeStamp = 0x87
|
||||
adDate = 0x7
|
||||
adDecimal = 0xe
|
||||
adDouble = 0x5
|
||||
adError = 0xa
|
||||
adFileTime = 0x40
|
||||
adGUID = 0x48
|
||||
adIDispatch = 0x9
|
||||
adIUnknown = 0xd
|
||||
adInteger = 0x3
|
||||
adLongVarBinary = 0xcd
|
||||
adLongVarChar = 0xc9
|
||||
adLongVarWChar = 0xcb
|
||||
adNumeric = 0x83
|
||||
adPropVariant = 0x8a
|
||||
adSingle = 0x4
|
||||
adSmallInt = 0x2
|
||||
adTinyInt = 0x10
|
||||
adUnsignedBigInt = 0x15
|
||||
adUnsignedInt = 0x13
|
||||
adUnsignedSmallInt = 0x12
|
||||
adUnsignedTinyInt = 0x11
|
||||
adUserDefined = 0x84
|
||||
adVarBinary = 0xCC
|
||||
adVarChar = 0xC8
|
||||
adVarNumeric = 0x8B
|
||||
adVarWChar = 0xCA
|
||||
adVariant = 0xC
|
||||
adWChar = 0x82
|
||||
# Additional constants used by introspection but not ADO itself
|
||||
AUTO_FIELD_MARKER = -1000
|
||||
|
||||
adTypeNames = {
|
||||
adBSTR: 'adBSTR',
|
||||
adBigInt: 'adBigInt',
|
||||
adBinary: 'adBinary',
|
||||
adBoolean: 'adBoolean',
|
||||
adChapter: 'adChapter',
|
||||
adChar: 'adChar',
|
||||
adCurrency: 'adCurrency',
|
||||
adDBDate: 'adDBDate',
|
||||
adDBTime: 'adDBTime',
|
||||
adDBTimeStamp: 'adDBTimeStamp',
|
||||
adDate: 'adDate',
|
||||
adDecimal: 'adDecimal',
|
||||
adDouble: 'adDouble',
|
||||
adEmpty: 'adEmpty',
|
||||
adError: 'adError',
|
||||
adFileTime: 'adFileTime',
|
||||
adGUID: 'adGUID',
|
||||
adIDispatch: 'adIDispatch',
|
||||
adIUnknown: 'adIUnknown',
|
||||
adInteger: 'adInteger',
|
||||
adLongVarBinary: 'adLongVarBinary',
|
||||
adLongVarChar: 'adLongVarChar',
|
||||
adLongVarWChar: 'adLongVarWChar',
|
||||
adNumeric: 'adNumeric',
|
||||
adPropVariant: 'adPropVariant',
|
||||
adSingle: 'adSingle',
|
||||
adSmallInt: 'adSmallInt',
|
||||
adTinyInt: 'adTinyInt',
|
||||
adUnsignedBigInt: 'adUnsignedBigInt',
|
||||
adUnsignedInt: 'adUnsignedInt',
|
||||
adUnsignedSmallInt: 'adUnsignedSmallInt',
|
||||
adUnsignedTinyInt: 'adUnsignedTinyInt',
|
||||
adUserDefined: 'adUserDefined',
|
||||
adVarBinary: 'adVarBinary',
|
||||
adVarChar: 'adVarChar',
|
||||
adVarNumeric: 'adVarNumeric',
|
||||
adVarWChar: 'adVarWChar',
|
||||
adVariant: 'adVariant',
|
||||
adWChar: 'adWChar',
|
||||
}
|
||||
|
||||
def ado_type_name(ado_type):
|
||||
return adTypeNames.get(ado_type, 'unknown type ('+str(ado_type)+')')
|
||||
|
||||
# here in decimal, sorted by value
|
||||
#adEmpty 0 Specifies no value (DBTYPE_EMPTY).
|
||||
#adSmallInt 2 Indicates a two-byte signed integer (DBTYPE_I2).
|
||||
#adInteger 3 Indicates a four-byte signed integer (DBTYPE_I4).
|
||||
#adSingle 4 Indicates a single-precision floating-point value (DBTYPE_R4).
|
||||
#adDouble 5 Indicates a double-precision floating-point value (DBTYPE_R8).
|
||||
#adCurrency 6 Indicates a currency value (DBTYPE_CY). Currency is a fixed-point number
|
||||
# with four digits to the right of the decimal point. It is stored in an eight-byte signed integer scaled by 10,000.
|
||||
#adDate 7 Indicates a date value (DBTYPE_DATE). A date is stored as a double, the whole part of which is
|
||||
# the number of days since December 30, 1899, and the fractional part of which is the fraction of a day.
|
||||
#adBSTR 8 Indicates a null-terminated character string (Unicode) (DBTYPE_BSTR).
|
||||
#adIDispatch 9 Indicates a pointer to an IDispatch interface on a COM object (DBTYPE_IDISPATCH).
|
||||
#adError 10 Indicates a 32-bit error code (DBTYPE_ERROR).
|
||||
#adBoolean 11 Indicates a boolean value (DBTYPE_BOOL).
|
||||
#adVariant 12 Indicates an Automation Variant (DBTYPE_VARIANT).
|
||||
#adIUnknown 13 Indicates a pointer to an IUnknown interface on a COM object (DBTYPE_IUNKNOWN).
|
||||
#adDecimal 14 Indicates an exact numeric value with a fixed precision and scale (DBTYPE_DECIMAL).
|
||||
#adTinyInt 16 Indicates a one-byte signed integer (DBTYPE_I1).
|
||||
#adUnsignedTinyInt 17 Indicates a one-byte unsigned integer (DBTYPE_UI1).
|
||||
#adUnsignedSmallInt 18 Indicates a two-byte unsigned integer (DBTYPE_UI2).
|
||||
#adUnsignedInt 19 Indicates a four-byte unsigned integer (DBTYPE_UI4).
|
||||
#adBigInt 20 Indicates an eight-byte signed integer (DBTYPE_I8).
|
||||
#adUnsignedBigInt 21 Indicates an eight-byte unsigned integer (DBTYPE_UI8).
|
||||
#adFileTime 64 Indicates a 64-bit value representing the number of 100-nanosecond intervals since
|
||||
# January 1, 1601 (DBTYPE_FILETIME).
|
||||
#adGUID 72 Indicates a globally unique identifier (GUID) (DBTYPE_GUID).
|
||||
#adBinary 128 Indicates a binary value (DBTYPE_BYTES).
|
||||
#adChar 129 Indicates a string value (DBTYPE_STR).
|
||||
#adWChar 130 Indicates a null-terminated Unicode character string (DBTYPE_WSTR).
|
||||
#adNumeric 131 Indicates an exact numeric value with a fixed precision and scale (DBTYPE_NUMERIC).
|
||||
# adUserDefined 132 Indicates a user-defined variable (DBTYPE_UDT).
|
||||
#adUserDefined 132 Indicates a user-defined variable (DBTYPE_UDT).
|
||||
#adDBDate 133 Indicates a date value (yyyymmdd) (DBTYPE_DBDATE).
|
||||
#adDBTime 134 Indicates a time value (hhmmss) (DBTYPE_DBTIME).
|
||||
#adDBTimeStamp 135 Indicates a date/time stamp (yyyymmddhhmmss plus a fraction in billionths) (DBTYPE_DBTIMESTAMP).
|
||||
#adChapter 136 Indicates a four-byte chapter value that identifies rows in a child rowset (DBTYPE_HCHAPTER).
|
||||
#adPropVariant 138 Indicates an Automation PROPVARIANT (DBTYPE_PROP_VARIANT).
|
||||
#adVarNumeric 139 Indicates a numeric value (Parameter object only).
|
||||
#adVarChar 200 Indicates a string value (Parameter object only).
|
||||
#adLongVarChar 201 Indicates a long string value (Parameter object only).
|
||||
#adVarWChar 202 Indicates a null-terminated Unicode character string (Parameter object only).
|
||||
#adLongVarWChar 203 Indicates a long null-terminated Unicode string value (Parameter object only).
|
||||
#adVarBinary 204 Indicates a binary value (Parameter object only).
|
||||
#adLongVarBinary 205 Indicates a long binary value (Parameter object only).
|
||||
#adArray (Does not apply to ADOX.) 0x2000 A flag value, always combined with another data type constant,
|
||||
# that indicates an array of that other data type.
|
||||
|
||||
# Error codes to names
|
||||
adoErrors= {
|
||||
0xe7b :'adErrBoundToCommand',
|
||||
0xe94 :'adErrCannotComplete',
|
||||
0xea4 :'adErrCantChangeConnection',
|
||||
0xc94 :'adErrCantChangeProvider',
|
||||
0xe8c :'adErrCantConvertvalue',
|
||||
0xe8d :'adErrCantCreate',
|
||||
0xea3 :'adErrCatalogNotSet',
|
||||
0xe8e :'adErrColumnNotOnThisRow',
|
||||
0xd5d :'adErrDataConversion',
|
||||
0xe89 :'adErrDataOverflow',
|
||||
0xe9a :'adErrDelResOutOfScope',
|
||||
0xea6 :'adErrDenyNotSupported',
|
||||
0xea7 :'adErrDenyTypeNotSupported',
|
||||
0xcb3 :'adErrFeatureNotAvailable',
|
||||
0xea5 :'adErrFieldsUpdateFailed',
|
||||
0xc93 :'adErrIllegalOperation',
|
||||
0xcae :'adErrInTransaction',
|
||||
0xe87 :'adErrIntegrityViolation',
|
||||
0xbb9 :'adErrInvalidArgument',
|
||||
0xe7d :'adErrInvalidConnection',
|
||||
0xe7c :'adErrInvalidParamInfo',
|
||||
0xe82 :'adErrInvalidTransaction',
|
||||
0xe91 :'adErrInvalidURL',
|
||||
0xcc1 :'adErrItemNotFound',
|
||||
0xbcd :'adErrNoCurrentRecord',
|
||||
0xe83 :'adErrNotExecuting',
|
||||
0xe7e :'adErrNotReentrant',
|
||||
0xe78 :'adErrObjectClosed',
|
||||
0xd27 :'adErrObjectInCollection',
|
||||
0xd5c :'adErrObjectNotSet',
|
||||
0xe79 :'adErrObjectOpen',
|
||||
0xbba :'adErrOpeningFile',
|
||||
0xe80 :'adErrOperationCancelled',
|
||||
0xe96 :'adErrOutOfSpace',
|
||||
0xe88 :'adErrPermissionDenied',
|
||||
0xe9e :'adErrPropConflicting',
|
||||
0xe9b :'adErrPropInvalidColumn',
|
||||
0xe9c :'adErrPropInvalidOption',
|
||||
0xe9d :'adErrPropInvalidValue',
|
||||
0xe9f :'adErrPropNotAllSettable',
|
||||
0xea0 :'adErrPropNotSet',
|
||||
0xea1 :'adErrPropNotSettable',
|
||||
0xea2 :'adErrPropNotSupported',
|
||||
0xbb8 :'adErrProviderFailed',
|
||||
0xe7a :'adErrProviderNotFound',
|
||||
0xbbb :'adErrReadFile',
|
||||
0xe93 :'adErrResourceExists',
|
||||
0xe92 :'adErrResourceLocked',
|
||||
0xe97 :'adErrResourceOutOfScope',
|
||||
0xe8a :'adErrSchemaViolation',
|
||||
0xe8b :'adErrSignMismatch',
|
||||
0xe81 :'adErrStillConnecting',
|
||||
0xe7f :'adErrStillExecuting',
|
||||
0xe90 :'adErrTreePermissionDenied',
|
||||
0xe8f :'adErrURLDoesNotExist',
|
||||
0xe99 :'adErrURLNamedRowDoesNotExist',
|
||||
0xe98 :'adErrUnavailable',
|
||||
0xe84 :'adErrUnsafeOperation',
|
||||
0xe95 :'adErrVolumeNotFound',
|
||||
0xbbc :'adErrWriteFile'
|
||||
}
|
1014
venv/Lib/site-packages/adodbapi/adodbapi.py
Normal file
1014
venv/Lib/site-packages/adodbapi/adodbapi.py
Normal file
File diff suppressed because it is too large
Load diff
653
venv/Lib/site-packages/adodbapi/apibase.py
Normal file
653
venv/Lib/site-packages/adodbapi/apibase.py
Normal file
|
@ -0,0 +1,653 @@
|
|||
"""adodbapi.apibase - A python DB API 2.0 (PEP 249) interface to Microsoft ADO
|
||||
|
||||
Copyright (C) 2002 Henrik Ekelund, version 2.1 by Vernon Cole
|
||||
* http://sourceforge.net/projects/pywin32
|
||||
* http://sourceforge.net/projects/adodbapi
|
||||
"""
|
||||
|
||||
import sys
|
||||
import time
|
||||
import datetime
|
||||
import decimal
|
||||
import numbers
|
||||
# noinspection PyUnresolvedReferences
|
||||
from . import ado_consts as adc
|
||||
|
||||
verbose = False # debugging flag
|
||||
|
||||
onIronPython = sys.platform == 'cli'
|
||||
if onIronPython: # we need type definitions for odd data we may need to convert
|
||||
# noinspection PyUnresolvedReferences
|
||||
from System import DBNull, DateTime
|
||||
NullTypes = (type(None), DBNull)
|
||||
else:
|
||||
DateTime = type(NotImplemented) # should never be seen on win32
|
||||
NullTypes = type(None)
|
||||
|
||||
# --- define objects to smooth out Python3 <-> Python 2.x differences
|
||||
unicodeType = str #this line will be altered by 2to3.py to '= str'
|
||||
longType = int #this line will be altered by 2to3.py to '= int'
|
||||
if sys.version[0] >= '3': #python 3.x
|
||||
StringTypes = str
|
||||
makeByteBuffer = bytes
|
||||
memoryViewType = memoryview
|
||||
_BaseException = Exception
|
||||
else: #python 2.x
|
||||
# noinspection PyUnresolvedReferences
|
||||
from exceptions import Exception as _BaseException
|
||||
memoryViewType = type(buffer(''))
|
||||
makeByteBuffer = buffer
|
||||
StringTypes = (str,str) # will be messed up by 2to3 but never used
|
||||
|
||||
try: #jdhardy -- handle bytes under IronPython & Py3
|
||||
bytes
|
||||
except NameError:
|
||||
bytes = str # define it for old Pythons
|
||||
|
||||
# ------- Error handlers ------
|
||||
def standardErrorHandler(connection, cursor, errorclass, errorvalue):
|
||||
err = (errorclass, errorvalue)
|
||||
try:
|
||||
connection.messages.append(err)
|
||||
except: pass
|
||||
if cursor is not None:
|
||||
try:
|
||||
cursor.messages.append(err)
|
||||
except: pass
|
||||
raise errorclass(errorvalue)
|
||||
|
||||
# Note: _BaseException is defined differently between Python 2.x and 3.x
|
||||
class Error(_BaseException):
|
||||
pass #Exception that is the base class of all other error
|
||||
#exceptions. You can use this to catch all errors with one
|
||||
#single 'except' statement. Warnings are not considered
|
||||
#errors and thus should not use this class as base. It must
|
||||
#be a subclass of the Python StandardError (defined in the
|
||||
#module exceptions).
|
||||
class Warning(_BaseException):
|
||||
pass
|
||||
class InterfaceError(Error):
|
||||
pass
|
||||
class DatabaseError(Error):
|
||||
pass
|
||||
class InternalError(DatabaseError):
|
||||
pass
|
||||
class OperationalError(DatabaseError):
|
||||
pass
|
||||
class ProgrammingError(DatabaseError):
|
||||
pass
|
||||
class IntegrityError(DatabaseError):
|
||||
pass
|
||||
class DataError(DatabaseError):
|
||||
pass
|
||||
class NotSupportedError(DatabaseError):
|
||||
pass
|
||||
|
||||
class FetchFailedError(OperationalError):
|
||||
"""
|
||||
Error is used by RawStoredProcedureQuerySet to determine when a fetch
|
||||
failed due to a connection being closed or there is no record set
|
||||
returned. (Non-standard, added especially for django)
|
||||
"""
|
||||
pass
|
||||
# # # # # ----- Type Objects and Constructors ----- # # # # #
|
||||
#Many databases need to have the input in a particular format for binding to an operation's input parameters.
|
||||
#For example, if an input is destined for a DATE column, then it must be bound to the database in a particular
|
||||
#string format. Similar problems exist for "Row ID" columns or large binary items (e.g. blobs or RAW columns).
|
||||
#This presents problems for Python since the parameters to the executeXXX() method are untyped.
|
||||
#When the database module sees a Python string object, it doesn't know if it should be bound as a simple CHAR
|
||||
#column, as a raw BINARY item, or as a DATE.
|
||||
#
|
||||
#To overcome this problem, a module must provide the constructors defined below to create objects that can
|
||||
#hold special values. When passed to the cursor methods, the module can then detect the proper type of
|
||||
#the input parameter and bind it accordingly.
|
||||
|
||||
#A Cursor Object's description attribute returns information about each of the result columns of a query.
|
||||
#The type_code must compare equal to one of Type Objects defined below. Type Objects may be equal to more than
|
||||
#one type code (e.g. DATETIME could be equal to the type codes for date, time and timestamp columns;
|
||||
#see the Implementation Hints below for details).
|
||||
|
||||
#SQL NULL values are represented by the Python None singleton on input and output.
|
||||
|
||||
#Note: Usage of Unix ticks for database interfacing can cause troubles because of the limited date range they cover.
|
||||
|
||||
# def Date(year,month,day):
|
||||
# "This function constructs an object holding a date value. "
|
||||
# return dateconverter.date(year,month,day) #dateconverter.Date(year,month,day)
|
||||
#
|
||||
# def Time(hour,minute,second):
|
||||
# "This function constructs an object holding a time value. "
|
||||
# return dateconverter.time(hour, minute, second) # dateconverter.Time(hour,minute,second)
|
||||
#
|
||||
# def Timestamp(year,month,day,hour,minute,second):
|
||||
# "This function constructs an object holding a time stamp value. "
|
||||
# return dateconverter.datetime(year,month,day,hour,minute,second)
|
||||
#
|
||||
# def DateFromTicks(ticks):
|
||||
# """This function constructs an object holding a date value from the given ticks value
|
||||
# (number of seconds since the epoch; see the documentation of the standard Python time module for details). """
|
||||
# return Date(*time.gmtime(ticks)[:3])
|
||||
#
|
||||
# def TimeFromTicks(ticks):
|
||||
# """This function constructs an object holding a time value from the given ticks value
|
||||
# (number of seconds since the epoch; see the documentation of the standard Python time module for details). """
|
||||
# return Time(*time.gmtime(ticks)[3:6])
|
||||
#
|
||||
# def TimestampFromTicks(ticks):
|
||||
# """This function constructs an object holding a time stamp value from the given
|
||||
# ticks value (number of seconds since the epoch;
|
||||
# see the documentation of the standard Python time module for details). """
|
||||
# return Timestamp(*time.gmtime(ticks)[:6])
|
||||
#
|
||||
# def Binary(aString):
|
||||
# """This function constructs an object capable of holding a binary (long) string value. """
|
||||
# b = makeByteBuffer(aString)
|
||||
# return b
|
||||
# ----- Time converters ----------------------------------------------
|
||||
class TimeConverter(object): # this is a generic time converter skeleton
|
||||
def __init__(self): # the details will be filled in by instances
|
||||
self._ordinal_1899_12_31=datetime.date(1899,12,31).toordinal()-1
|
||||
# Use cls.types to compare if an input parameter is a datetime
|
||||
self.types = {type(self.Date(2000,1,1)),
|
||||
type(self.Time(12,1,1)),
|
||||
type(self.Timestamp(2000,1,1,12,1,1)),
|
||||
datetime.datetime,
|
||||
datetime.time,
|
||||
datetime.date}
|
||||
def COMDate(self,obj):
|
||||
'''Returns a ComDate from a date-time'''
|
||||
try: # most likely a datetime
|
||||
tt=obj.timetuple()
|
||||
|
||||
try:
|
||||
ms=obj.microsecond
|
||||
except:
|
||||
ms=0
|
||||
return self.ComDateFromTuple(tt, ms)
|
||||
except: # might be a tuple
|
||||
try:
|
||||
return self.ComDateFromTuple(obj)
|
||||
except: # try an mxdate
|
||||
try:
|
||||
return obj.COMDate()
|
||||
except:
|
||||
raise ValueError('Cannot convert "%s" to COMdate.' % repr(obj))
|
||||
def ComDateFromTuple(self, t, microseconds=0):
|
||||
d = datetime.date(t[0],t[1],t[2])
|
||||
integerPart = d.toordinal() - self._ordinal_1899_12_31
|
||||
ms = (t[3]*3600 + t[4]*60 + t[5]) * 1000000 + microseconds
|
||||
fractPart = float(ms) / 86400000000.0
|
||||
return integerPart + fractPart
|
||||
def DateObjectFromCOMDate(self,comDate):
|
||||
'Returns an object of the wanted type from a ComDate'
|
||||
raise NotImplementedError #"Abstract class"
|
||||
def Date(self,year,month,day):
|
||||
"This function constructs an object holding a date value. "
|
||||
raise NotImplementedError #"Abstract class"
|
||||
def Time(self,hour,minute,second):
|
||||
"This function constructs an object holding a time value. "
|
||||
raise NotImplementedError #"Abstract class"
|
||||
def Timestamp(self,year,month,day,hour,minute,second):
|
||||
"This function constructs an object holding a time stamp value. "
|
||||
raise NotImplementedError #"Abstract class"
|
||||
# all purpose date to ISO format converter
|
||||
def DateObjectToIsoFormatString(self, obj):
|
||||
"This function should return a string in the format 'YYYY-MM-dd HH:MM:SS:ms' (ms optional) "
|
||||
try: # most likely, a datetime.datetime
|
||||
s = obj.isoformat(' ')
|
||||
except (TypeError, AttributeError):
|
||||
if isinstance(obj, datetime.date):
|
||||
s = obj.isoformat() + ' 00:00:00' # return exact midnight
|
||||
else:
|
||||
try: # maybe it has a strftime method, like mx
|
||||
s = obj.strftime('%Y-%m-%d %H:%M:%S')
|
||||
except AttributeError:
|
||||
try: #but may be time.struct_time
|
||||
s = time.strftime('%Y-%m-%d %H:%M:%S', obj)
|
||||
except:
|
||||
raise ValueError('Cannot convert "%s" to isoformat' % repr(obj))
|
||||
return s
|
||||
|
||||
# -- Optional: if mx extensions are installed you may use mxDateTime ----
|
||||
try:
|
||||
import mx.DateTime
|
||||
mxDateTime = True
|
||||
except:
|
||||
mxDateTime = False
|
||||
if mxDateTime:
|
||||
class mxDateTimeConverter(TimeConverter): # used optionally if installed
|
||||
def __init__(self):
|
||||
TimeConverter.__init__(self)
|
||||
self.types.add(type(mx.DateTime))
|
||||
def DateObjectFromCOMDate(self,comDate):
|
||||
return mx.DateTime.DateTimeFromCOMDate(comDate)
|
||||
def Date(self,year,month,day):
|
||||
return mx.DateTime.Date(year,month,day)
|
||||
def Time(self,hour,minute,second):
|
||||
return mx.DateTime.Time(hour,minute,second)
|
||||
def Timestamp(self,year,month,day,hour,minute,second):
|
||||
return mx.DateTime.Timestamp(year,month,day,hour,minute,second)
|
||||
else:
|
||||
class mxDateTimeConverter(TimeConverter):
|
||||
pass # if no mx is installed
|
||||
|
||||
class pythonDateTimeConverter(TimeConverter): # standard since Python 2.3
|
||||
def __init__(self):
|
||||
TimeConverter.__init__(self)
|
||||
def DateObjectFromCOMDate(self, comDate):
|
||||
if isinstance(comDate, datetime.datetime):
|
||||
odn = comDate.toordinal()
|
||||
tim = comDate.time()
|
||||
new = datetime.datetime.combine(datetime.datetime.fromordinal(odn), tim)
|
||||
return new
|
||||
# return comDate.replace(tzinfo=None) # make non aware
|
||||
elif isinstance(comDate, DateTime):
|
||||
fComDate = comDate.ToOADate() # ironPython clr Date/Time
|
||||
else:
|
||||
fComDate=float(comDate) #ComDate is number of days since 1899-12-31
|
||||
integerPart = int(fComDate)
|
||||
floatpart=fComDate-integerPart
|
||||
##if floatpart == 0.0:
|
||||
## return datetime.date.fromordinal(integerPart + self._ordinal_1899_12_31)
|
||||
dte=datetime.datetime.fromordinal(integerPart + self._ordinal_1899_12_31) \
|
||||
+ datetime.timedelta(milliseconds=floatpart*86400000)
|
||||
# millisecondsperday=86400000 # 24*60*60*1000
|
||||
return dte
|
||||
def Date(self,year,month,day):
|
||||
return datetime.date(year,month,day)
|
||||
def Time(self,hour,minute,second):
|
||||
return datetime.time(hour,minute,second)
|
||||
def Timestamp(self,year,month,day,hour,minute,second):
|
||||
return datetime.datetime(year,month,day,hour,minute,second)
|
||||
|
||||
class pythonTimeConverter(TimeConverter): # the old, ?nix type date and time
|
||||
def __init__(self): #caution: this Class gets confised by timezones and DST
|
||||
TimeConverter.__init__(self)
|
||||
self.types.add(time.struct_time)
|
||||
def DateObjectFromCOMDate(self,comDate):
|
||||
'Returns ticks since 1970'
|
||||
if isinstance(comDate,datetime.datetime):
|
||||
return comDate.timetuple()
|
||||
elif isinstance(comDate, DateTime): # ironPython clr date/time
|
||||
fcomDate = comDate.ToOADate()
|
||||
else:
|
||||
fcomDate = float(comDate)
|
||||
secondsperday=86400 # 24*60*60
|
||||
#ComDate is number of days since 1899-12-31, gmtime epoch is 1970-1-1 = 25569 days
|
||||
t=time.gmtime(secondsperday*(fcomDate-25569.0))
|
||||
return t #year,month,day,hour,minute,second,weekday,julianday,daylightsaving=t
|
||||
def Date(self,year,month,day):
|
||||
return self.Timestamp(year,month,day,0,0,0)
|
||||
def Time(self,hour,minute,second):
|
||||
return time.gmtime((hour*60+minute)*60 + second)
|
||||
def Timestamp(self,year,month,day,hour,minute,second):
|
||||
return time.localtime(time.mktime((year,month,day,hour,minute,second,0,0,-1)))
|
||||
|
||||
base_dateconverter = pythonDateTimeConverter()
|
||||
|
||||
# ------ DB API required module attributes ---------------------
|
||||
threadsafety=1 # TODO -- find out whether this module is actually BETTER than 1.
|
||||
|
||||
apilevel='2.0' #String constant stating the supported DB API level.
|
||||
|
||||
paramstyle='qmark' # the default parameter style
|
||||
|
||||
# ------ control for an extension which may become part of DB API 3.0 ---
|
||||
accepted_paramstyles = ('qmark', 'named', 'format', 'pyformat', 'dynamic')
|
||||
|
||||
#------------------------------------------------------------------------------------------
|
||||
# define similar types for generic conversion routines
|
||||
adoIntegerTypes=(adc.adInteger,adc.adSmallInt,adc.adTinyInt,adc.adUnsignedInt,
|
||||
adc.adUnsignedSmallInt,adc.adUnsignedTinyInt,
|
||||
adc.adBoolean,adc.adError) #max 32 bits
|
||||
adoRowIdTypes=(adc.adChapter,) #v2.1 Rose
|
||||
adoLongTypes=(adc.adBigInt,adc.adFileTime,adc.adUnsignedBigInt)
|
||||
adoExactNumericTypes=(adc.adDecimal,adc.adNumeric,adc.adVarNumeric,adc.adCurrency) #v2.3 Cole
|
||||
adoApproximateNumericTypes=(adc.adDouble,adc.adSingle) #v2.1 Cole
|
||||
adoStringTypes=(adc.adBSTR,adc.adChar,adc.adLongVarChar,adc.adLongVarWChar,
|
||||
adc.adVarChar,adc.adVarWChar,adc.adWChar)
|
||||
adoBinaryTypes=(adc.adBinary,adc.adLongVarBinary,adc.adVarBinary)
|
||||
adoDateTimeTypes=(adc.adDBTime, adc.adDBTimeStamp, adc.adDate, adc.adDBDate)
|
||||
adoRemainingTypes=(adc.adEmpty,adc.adIDispatch,adc.adIUnknown,
|
||||
adc.adPropVariant,adc.adArray,adc.adUserDefined,
|
||||
adc.adVariant,adc.adGUID)
|
||||
|
||||
# this class is a trick to determine whether a type is a member of a related group of types. see PEP notes
|
||||
class DBAPITypeObject(object):
|
||||
def __init__(self,valuesTuple):
|
||||
self.values = frozenset(valuesTuple)
|
||||
|
||||
def __eq__(self,other):
|
||||
return other in self.values
|
||||
|
||||
def __ne__(self, other):
|
||||
return other not in self.values
|
||||
|
||||
"""This type object is used to describe columns in a database that are string-based (e.g. CHAR). """
|
||||
STRING = DBAPITypeObject(adoStringTypes)
|
||||
|
||||
"""This type object is used to describe (long) binary columns in a database (e.g. LONG, RAW, BLOBs). """
|
||||
BINARY = DBAPITypeObject(adoBinaryTypes)
|
||||
|
||||
"""This type object is used to describe numeric columns in a database. """
|
||||
NUMBER = DBAPITypeObject(adoIntegerTypes + adoLongTypes + \
|
||||
adoExactNumericTypes + adoApproximateNumericTypes)
|
||||
|
||||
"""This type object is used to describe date/time columns in a database. """
|
||||
|
||||
DATETIME = DBAPITypeObject(adoDateTimeTypes)
|
||||
"""This type object is used to describe the "Row ID" column in a database. """
|
||||
ROWID = DBAPITypeObject(adoRowIdTypes)
|
||||
|
||||
OTHER = DBAPITypeObject(adoRemainingTypes)
|
||||
|
||||
# ------- utilities for translating python data types to ADO data types ---------------------------------
|
||||
typeMap = { memoryViewType : adc.adVarBinary,
|
||||
float : adc.adDouble,
|
||||
type(None) : adc.adEmpty,
|
||||
str : adc.adBSTR, # this line will be altered by 2to3 to 'str:'
|
||||
bool :adc.adBoolean, #v2.1 Cole
|
||||
decimal.Decimal : adc.adDecimal }
|
||||
if longType != int: #not Python 3
|
||||
typeMap[longType] = adc.adBigInt #works in python 2.x
|
||||
typeMap[int] = adc.adInteger
|
||||
typeMap[bytes] = adc.adBSTR # 2.x string type
|
||||
else: #python 3.0 integrated integers
|
||||
## Should this differentiate between an int that fits in a long and one that requires 64 bit datatype?
|
||||
typeMap[int] = adc.adBigInt
|
||||
typeMap[bytes] = adc.adVarBinary
|
||||
|
||||
def pyTypeToADOType(d):
|
||||
tp=type(d)
|
||||
try:
|
||||
return typeMap[tp]
|
||||
except KeyError: # The type was not defined in the pre-computed Type table
|
||||
from . import dateconverter
|
||||
if tp in dateconverter.types: # maybe it is one of our supported Date/Time types
|
||||
return adc.adDate
|
||||
# otherwise, attempt to discern the type by probing the data object itself -- to handle duck typing
|
||||
if isinstance(d, StringTypes):
|
||||
return adc.adBSTR
|
||||
if isinstance(d, numbers.Integral):
|
||||
return adc.adBigInt
|
||||
if isinstance(d, numbers.Real):
|
||||
return adc.adDouble
|
||||
raise DataError('cannot convert "%s" (type=%s) to ADO'%(repr(d),tp))
|
||||
|
||||
# # # # # # # # # # # # - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
|
||||
# functions to convert database values to Python objects
|
||||
#------------------------------------------------------------------------
|
||||
# variant type : function converting variant to Python value
|
||||
def variantConvertDate(v):
|
||||
from . import dateconverter # this function only called when adodbapi is running
|
||||
return dateconverter.DateObjectFromCOMDate(v)
|
||||
|
||||
def cvtString(variant): # use to get old action of adodbapi v1 if desired
|
||||
if onIronPython:
|
||||
try:
|
||||
return variant.ToString()
|
||||
except:
|
||||
pass
|
||||
return str(variant)
|
||||
|
||||
def cvtDecimal(variant): #better name
|
||||
return _convertNumberWithCulture(variant, decimal.Decimal)
|
||||
|
||||
def cvtNumeric(variant): #older name - don't break old code
|
||||
return cvtDecimal(variant)
|
||||
|
||||
def cvtFloat(variant):
|
||||
return _convertNumberWithCulture(variant, float)
|
||||
|
||||
def _convertNumberWithCulture(variant, f):
|
||||
try:
|
||||
return f(variant)
|
||||
except (ValueError,TypeError,decimal.InvalidOperation):
|
||||
try:
|
||||
europeVsUS = str(variant).replace(",",".")
|
||||
return f(europeVsUS)
|
||||
except (ValueError,TypeError,decimal.InvalidOperation): pass
|
||||
|
||||
def cvtInt(variant):
|
||||
return int(variant)
|
||||
|
||||
def cvtLong(variant): # only important in old versions where long and int differ
|
||||
return int(variant)
|
||||
|
||||
def cvtBuffer(variant):
|
||||
return bytes(variant)
|
||||
|
||||
def cvtUnicode(variant):
|
||||
return str(variant) # will be altered by 2to3 to 'str(variant)'
|
||||
|
||||
def identity(x): return x
|
||||
|
||||
def cvtUnusual(variant):
|
||||
if verbose > 1:
|
||||
sys.stderr.write('Conversion called for Unusual data=%s\n' % repr(variant))
|
||||
if isinstance(variant, DateTime): # COMdate or System.Date
|
||||
from .adodbapi import dateconverter # this will only be called when adodbapi is in use, and very rarely
|
||||
return dateconverter.DateObjectFromCOMDate(variant)
|
||||
return variant # cannot find conversion function -- just give the data to the user
|
||||
|
||||
def convert_to_python(variant, func): # convert DB value into Python value
|
||||
if isinstance(variant, NullTypes): # IronPython Null or None
|
||||
return None
|
||||
return func(variant) # call the appropriate conversion function
|
||||
|
||||
class MultiMap(dict): #builds a dictionary from {(sequence,of,keys) : function}
|
||||
"""A dictionary of ado.type : function -- but you can set multiple items by passing a sequence of keys"""
|
||||
#useful for defining conversion functions for groups of similar data types.
|
||||
def __init__(self, aDict):
|
||||
for k, v in list(aDict.items()):
|
||||
self[k] = v # we must call __setitem__
|
||||
def __setitem__(self, adoType, cvtFn):
|
||||
"set a single item, or a whole sequence of items"
|
||||
try: # user passed us a sequence, set them individually
|
||||
for type in adoType:
|
||||
dict.__setitem__(self, type, cvtFn)
|
||||
except TypeError: # a single value fails attempt to iterate
|
||||
dict.__setitem__(self, adoType, cvtFn)
|
||||
|
||||
#initialize variantConversions dictionary used to convert SQL to Python
|
||||
# this is the dictionary of default conversion functions, built by the class above.
|
||||
# this becomes a class attribute for the Connection, and that attribute is used
|
||||
# to build the list of column conversion functions for the Cursor
|
||||
variantConversions = MultiMap( {
|
||||
adoDateTimeTypes : variantConvertDate,
|
||||
adoApproximateNumericTypes: cvtFloat,
|
||||
adoExactNumericTypes: cvtDecimal, # use to force decimal rather than unicode
|
||||
adoLongTypes : cvtLong,
|
||||
adoIntegerTypes: cvtInt,
|
||||
adoRowIdTypes: cvtInt,
|
||||
adoStringTypes: identity,
|
||||
adoBinaryTypes: cvtBuffer,
|
||||
adoRemainingTypes: cvtUnusual })
|
||||
|
||||
# # # # # classes to emulate the result of cursor.fetchxxx() as a sequence of sequences # # # # #
|
||||
# "an ENUM of how my low level records are laid out"
|
||||
RS_WIN_32, RS_ARRAY, RS_REMOTE = list(range(1,4))
|
||||
|
||||
class SQLrow(object): # a single database row
|
||||
# class to emulate a sequence, so that a column may be retrieved by either number or name
|
||||
def __init__(self, rows, index): # "rows" is an _SQLrows object, index is which row
|
||||
self.rows = rows # parent 'fetch' container object
|
||||
self.index = index # my row number within parent
|
||||
def __getattr__(self, name): # used for row.columnName type of value access
|
||||
try:
|
||||
return self._getValue(self.rows.columnNames[name.lower()])
|
||||
except KeyError:
|
||||
raise AttributeError('Unknown column name "{}"'.format(name))
|
||||
def _getValue(self,key): # key must be an integer
|
||||
if self.rows.recordset_format == RS_ARRAY: # retrieve from two-dimensional array
|
||||
v = self.rows.ado_results[key,self.index]
|
||||
elif self.rows.recordset_format == RS_REMOTE:
|
||||
v = self.rows.ado_results[self.index][key]
|
||||
else:# pywin32 - retrieve from tuple of tuples
|
||||
v = self.rows.ado_results[key][self.index]
|
||||
if self.rows.converters is NotImplemented:
|
||||
return v
|
||||
return convert_to_python(v, self.rows.converters[key])
|
||||
|
||||
def __len__(self):
|
||||
return self.rows.numberOfColumns
|
||||
|
||||
def __getitem__(self,key): # used for row[key] type of value access
|
||||
if isinstance(key,int): # normal row[1] designation
|
||||
try:
|
||||
return self._getValue(key)
|
||||
except IndexError:
|
||||
raise
|
||||
if isinstance(key, slice):
|
||||
indices = key.indices(self.rows.numberOfColumns)
|
||||
vl = [self._getValue(i) for i in range(*indices)]
|
||||
return tuple(vl)
|
||||
try:
|
||||
return self._getValue(self.rows.columnNames[key.lower()]) # extension row[columnName] designation
|
||||
except (KeyError, TypeError):
|
||||
er, st, tr = sys.exc_info()
|
||||
raise er('No such key as "%s" in %s'%(repr(key),self.__repr__())).with_traceback(tr)
|
||||
def __iter__(self):
|
||||
return iter(self.__next__())
|
||||
def __next__(self):
|
||||
for n in range(self.rows.numberOfColumns):
|
||||
yield self._getValue(n)
|
||||
def __repr__(self): # create a human readable representation
|
||||
taglist = sorted(list(self.rows.columnNames.items()), key=lambda x: x[1])
|
||||
s = "<SQLrow={"
|
||||
for name, i in taglist:
|
||||
s += name + ':' + repr(self._getValue(i)) + ', '
|
||||
return s[:-2] + '}>'
|
||||
def __str__(self): # create a pretty human readable representation
|
||||
return str(tuple(str(self._getValue(i)) for i in range(self.rows.numberOfColumns)))
|
||||
|
||||
# TO-DO implement pickling an SQLrow directly
|
||||
#def __getstate__(self): return self.__dict__
|
||||
#def __setstate__(self, d): self.__dict__.update(d)
|
||||
# which basically tell pickle to treat your class just like a normal one,
|
||||
# taking self.__dict__ as representing the whole of the instance state,
|
||||
# despite the existence of the __getattr__.
|
||||
# # # #
|
||||
class SQLrows(object):
|
||||
# class to emulate a sequence for multiple rows using a container object
|
||||
def __init__(self, ado_results, numberOfRows, cursor):
|
||||
self.ado_results = ado_results # raw result of SQL get
|
||||
try:
|
||||
self.recordset_format = cursor.recordset_format
|
||||
self.numberOfColumns = cursor.numberOfColumns
|
||||
self.converters = cursor.converters
|
||||
self.columnNames = cursor.columnNames
|
||||
except AttributeError:
|
||||
self.recordset_format = RS_ARRAY
|
||||
self.numberOfColumns = 0
|
||||
self.converters = []
|
||||
self.columnNames = {}
|
||||
self.numberOfRows = numberOfRows
|
||||
|
||||
def __len__(self):
|
||||
return self.numberOfRows
|
||||
|
||||
def __getitem__(self, item): # used for row or row,column access
|
||||
if not self.ado_results:
|
||||
return []
|
||||
if isinstance(item, slice): # will return a list of row objects
|
||||
indices = item.indices(self.numberOfRows)
|
||||
return [SQLrow(self, k) for k in range(*indices)]
|
||||
elif isinstance(item, tuple) and len(item)==2:
|
||||
# d = some_rowsObject[i,j] will return a datum from a two-dimension address
|
||||
i, j = item
|
||||
if not isinstance(j, int):
|
||||
try:
|
||||
j = self.columnNames[j.lower()] # convert named column to numeric
|
||||
except KeyError:
|
||||
raise KeyError('adodbapi: no such column name as "%s"'%repr(j))
|
||||
if self.recordset_format == RS_ARRAY: # retrieve from two-dimensional array
|
||||
v = self.ado_results[j,i]
|
||||
elif self.recordset_format == RS_REMOTE:
|
||||
v = self.ado_results[i][j]
|
||||
else: # pywin32 - retrieve from tuple of tuples
|
||||
v = self.ado_results[j][i]
|
||||
if self.converters is NotImplemented:
|
||||
return v
|
||||
return convert_to_python(v, self.converters[j])
|
||||
else:
|
||||
row = SQLrow(self, item) # new row descriptor
|
||||
return row
|
||||
def __iter__(self):
|
||||
return iter(self.__next__())
|
||||
|
||||
def __next__(self):
|
||||
for n in range(self.numberOfRows):
|
||||
row = SQLrow(self, n)
|
||||
yield row
|
||||
# # # # #
|
||||
|
||||
|
||||
# # # # # functions to re-format SQL requests to other paramstyle requirements # # # # # # # # # #
|
||||
def changeNamedToQmark(op): #convert from 'named' paramstyle to ADO required '?'mark parameters
|
||||
outOp = ''
|
||||
outparms=[]
|
||||
chunks = op.split("'") #quote all literals -- odd numbered list results are literals.
|
||||
inQuotes = False
|
||||
for chunk in chunks:
|
||||
if inQuotes: # this is inside a quote
|
||||
if chunk == '': # double apostrophe to quote one apostrophe
|
||||
outOp = outOp[:-1] # so take one away
|
||||
else:
|
||||
outOp += "'"+chunk+"'" # else pass the quoted string as is.
|
||||
else: # is SQL code -- look for a :namedParameter
|
||||
while chunk: # some SQL string remains
|
||||
sp = chunk.split(':',1)
|
||||
outOp += sp[0] # concat the part up to the :
|
||||
s = ''
|
||||
try:
|
||||
chunk = sp[1]
|
||||
except IndexError:
|
||||
chunk = None
|
||||
if chunk: # there was a parameter - parse it out
|
||||
i = 0
|
||||
c = chunk[0]
|
||||
while c.isalnum() or c == '_':
|
||||
i += 1
|
||||
try:
|
||||
c = chunk[i]
|
||||
except IndexError:
|
||||
break
|
||||
s = chunk[:i]
|
||||
chunk = chunk[i:]
|
||||
if s:
|
||||
outparms.append(s) # list the parameters in order
|
||||
outOp += '?' # put in the Qmark
|
||||
inQuotes = not inQuotes
|
||||
return outOp, outparms
|
||||
|
||||
def changeFormatToQmark(op): #convert from 'format' paramstyle to ADO required '?'mark parameters
|
||||
outOp = ''
|
||||
outparams = []
|
||||
chunks = op.split("'") #quote all literals -- odd numbered list results are literals.
|
||||
inQuotes = False
|
||||
for chunk in chunks:
|
||||
if inQuotes:
|
||||
if outOp != '' and chunk=='': # he used a double apostrophe to quote one apostrophe
|
||||
outOp = outOp[:-1] # so take one away
|
||||
else:
|
||||
outOp += "'"+chunk+"'" # else pass the quoted string as is.
|
||||
else: # is SQL code -- look for a %s parameter
|
||||
if '%(' in chunk: # ugh! pyformat!
|
||||
while chunk: # some SQL string remains
|
||||
sp = chunk.split('%(', 1)
|
||||
outOp += sp[0] # concat the part up to the %
|
||||
if len(sp) > 1:
|
||||
try:
|
||||
s, chunk = sp[1].split(')s', 1) # find the ')s'
|
||||
except ValueError:
|
||||
raise ProgrammingError('Pyformat SQL has incorrect format near "%s"' % chunk)
|
||||
outparams.append(s)
|
||||
outOp += '?' # put in the Qmark
|
||||
else:
|
||||
chunk = None
|
||||
else: # proper '%s' format
|
||||
sp = chunk.split('%s') # make each %s
|
||||
outOp += "?".join(sp) # into ?
|
||||
inQuotes = not inQuotes # every other chunk is a quoted string
|
||||
return outOp, outparams
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
67
venv/Lib/site-packages/adodbapi/examples/db_print.py
Normal file
67
venv/Lib/site-packages/adodbapi/examples/db_print.py
Normal file
|
@ -0,0 +1,67 @@
|
|||
""" db_print.py -- a simple demo for ADO database reads."""
|
||||
from __future__ import with_statement #needed for Python 2.5
|
||||
|
||||
import sys
|
||||
import adodbapi.ado_consts as adc
|
||||
|
||||
cmd_args = ('filename', 'table_name')
|
||||
if 'help' in sys.argv:
|
||||
print(('possible settings keywords are:',cmd_args))
|
||||
sys.exit()
|
||||
|
||||
kw_args = {} # pick up filename and proxy address from command line (optionally)
|
||||
for arg in sys.argv:
|
||||
s = arg.split("=")
|
||||
if len(s) > 1:
|
||||
if s[0] in cmd_args:
|
||||
kw_args[s[0]] = s[1]
|
||||
|
||||
kw_args.setdefault('filename', "test.mdb") # assumes server is running from examples folder
|
||||
kw_args.setdefault('table_name', 'Products') # the name of the demo table
|
||||
|
||||
# the server needs to select the provider based on his Python installation
|
||||
provider_switch = ['provider', 'Microsoft.ACE.OLEDB.12.0', "Microsoft.Jet.OLEDB.4.0"]
|
||||
|
||||
# ------------------------ START HERE -------------------------------------
|
||||
#create the connection
|
||||
constr = "Provider=%(provider)s;Data Source=%(filename)s"
|
||||
import adodbapi as db
|
||||
con = db.connect(constr, kw_args, macro_is64bit=provider_switch)
|
||||
|
||||
if kw_args['table_name'] == '?':
|
||||
print('The tables in your database are:')
|
||||
for name in con.get_table_names():
|
||||
print(name)
|
||||
else:
|
||||
#make a cursor on the connection
|
||||
with con.cursor() as c:
|
||||
|
||||
#run an SQL statement on the cursor
|
||||
sql = 'select * from %s' % kw_args['table_name']
|
||||
print(('performing query="%s"' % sql))
|
||||
c.execute(sql)
|
||||
|
||||
#check the results
|
||||
print(('result rowcount shows as= %d. (Note: -1 means "not known")' \
|
||||
% (c.rowcount,)))
|
||||
print('')
|
||||
print('result data description is:')
|
||||
print(' NAME Type DispSize IntrnlSz Prec Scale Null?')
|
||||
for d in c.description:
|
||||
print((('%16s %-12s %8s %8d %4d %5d %s') % \
|
||||
(d[0], adc.adTypeNames[d[1]], d[2], d[3], d[4],d[5], bool(d[6]))))
|
||||
print('')
|
||||
print('str() of first five records are...')
|
||||
|
||||
#get the results
|
||||
db = c.fetchmany(5)
|
||||
|
||||
#print them
|
||||
for rec in db:
|
||||
print(rec)
|
||||
|
||||
print('')
|
||||
print('repr() of next row is...')
|
||||
print((repr(c.fetchone())))
|
||||
print('')
|
||||
con.close()
|
19
venv/Lib/site-packages/adodbapi/examples/db_table_names.py
Normal file
19
venv/Lib/site-packages/adodbapi/examples/db_table_names.py
Normal file
|
@ -0,0 +1,19 @@
|
|||
""" db_table_names.py -- a simple demo for ADO database table listing."""
|
||||
import sys
|
||||
import adodbapi
|
||||
|
||||
try:
|
||||
databasename = sys.argv[1]
|
||||
except IndexError:
|
||||
databasename = "test.mdb"
|
||||
|
||||
provider = ['prv', "Microsoft.ACE.OLEDB.12.0", "Microsoft.Jet.OLEDB.4.0"]
|
||||
constr = "Provider=%(prv)s;Data Source=%(db)s"
|
||||
|
||||
#create the connection
|
||||
con = adodbapi.connect(constr, db=databasename, macro_is64bit=provider)
|
||||
|
||||
print(('Table names in= %s' % databasename))
|
||||
|
||||
for table in con.get_table_names():
|
||||
print(table)
|
38
venv/Lib/site-packages/adodbapi/examples/xls_read.py
Normal file
38
venv/Lib/site-packages/adodbapi/examples/xls_read.py
Normal file
|
@ -0,0 +1,38 @@
|
|||
import sys
|
||||
import adodbapi
|
||||
try:
|
||||
import adodbapi.is64bit as is64bit
|
||||
is64 = is64bit.Python()
|
||||
except ImportError:
|
||||
is64 = False
|
||||
|
||||
if is64:
|
||||
driver = "Microsoft.ACE.OLEDB.12.0"
|
||||
else:
|
||||
driver = "Microsoft.Jet.OLEDB.4.0"
|
||||
extended = 'Extended Properties="Excel 8.0;HDR=Yes;IMEX=1;"'
|
||||
|
||||
try: # first command line argument will be xls file name -- default to the one written by xls_write.py
|
||||
filename = sys.argv[1]
|
||||
except IndexError:
|
||||
filename = 'xx.xls'
|
||||
|
||||
constr = "Provider=%s;Data Source=%s;%s" % (driver, filename, extended)
|
||||
|
||||
conn = adodbapi.connect(constr)
|
||||
|
||||
try: # second command line argument will be worksheet name -- default to first worksheet
|
||||
sheet = sys.argv[2]
|
||||
except IndexError:
|
||||
# use ADO feature to get the name of the first worksheet
|
||||
sheet = conn.get_table_names()[0]
|
||||
|
||||
print(('Shreadsheet=%s Worksheet=%s' % (filename, sheet)))
|
||||
print('------------------------------------------------------------')
|
||||
crsr = conn.cursor()
|
||||
sql = "SELECT * from [%s]" % sheet
|
||||
crsr.execute(sql)
|
||||
for row in crsr.fetchmany(10):
|
||||
print((repr(row)))
|
||||
crsr.close()
|
||||
conn.close()
|
33
venv/Lib/site-packages/adodbapi/examples/xls_write.py
Normal file
33
venv/Lib/site-packages/adodbapi/examples/xls_write.py
Normal file
|
@ -0,0 +1,33 @@
|
|||
from __future__ import with_statement # needed only if running Python 2.5
|
||||
import adodbapi
|
||||
import datetime
|
||||
try:
|
||||
import adodbapi.is64bit as is64bit
|
||||
is64 = is64bit.Python()
|
||||
except ImportError:
|
||||
is64 = False # in case the user has an old version of adodbapi
|
||||
if is64:
|
||||
driver = "Microsoft.ACE.OLEDB.12.0"
|
||||
else:
|
||||
driver = "Microsoft.Jet.OLEDB.4.0"
|
||||
filename = 'xx.xls' # file will be created if it does not exist
|
||||
extended = 'Extended Properties="Excel 8.0;Readonly=False;"'
|
||||
|
||||
constr = "Provider=%s;Data Source=%s;%s" % (driver, filename, extended)
|
||||
|
||||
conn = adodbapi.connect(constr)
|
||||
with conn: # will auto commit if no errors
|
||||
with conn.cursor() as crsr:
|
||||
try: crsr.execute('drop table SheetOne')
|
||||
except: pass # just is case there is one already there
|
||||
|
||||
# create the sheet and the header row and set the types for the columns
|
||||
crsr.execute('create table SheetOne (Name varchar, Rank varchar, SrvcNum integer, Weight float, Birth date)')
|
||||
|
||||
sql = "INSERT INTO SheetOne (name, rank , srvcnum, weight, birth) values (?,?,?,?,?)"
|
||||
|
||||
data = ('Mike Murphy', 'SSG', 123456789, 167.8, datetime.date(1922,12,27))
|
||||
crsr.execute(sql, data) # write the first row of data
|
||||
crsr.execute(sql, ['John Jones', 'Pvt', 987654321, 140.0, datetime.date(1921,7,4)]) # another row of data
|
||||
conn.close()
|
||||
print(('Created spreadsheet=%s worksheet=%s' % (filename, 'SheetOne')))
|
33
venv/Lib/site-packages/adodbapi/is64bit.py
Normal file
33
venv/Lib/site-packages/adodbapi/is64bit.py
Normal file
|
@ -0,0 +1,33 @@
|
|||
"""is64bit.Python() --> boolean value of detected Python word size. is64bit.os() --> os build version"""
|
||||
import sys
|
||||
|
||||
def Python():
|
||||
if sys.platform == 'cli': #IronPython
|
||||
import System
|
||||
return System.IntPtr.Size == 8
|
||||
else:
|
||||
try:
|
||||
return sys.maxsize > 2147483647
|
||||
except AttributeError:
|
||||
return sys.maxint > 2147483647
|
||||
|
||||
def os():
|
||||
import platform
|
||||
pm = platform.machine()
|
||||
if pm != '..' and pm.endswith('64'): # recent Python (not Iron)
|
||||
return True
|
||||
else:
|
||||
import os
|
||||
if 'PROCESSOR_ARCHITEW6432' in os.environ:
|
||||
return True # 32 bit program running on 64 bit Windows
|
||||
try:
|
||||
return os.environ['PROCESSOR_ARCHITECTURE'].endswith('64') # 64 bit Windows 64 bit program
|
||||
except (IndexError, KeyError):
|
||||
pass # not Windows
|
||||
try:
|
||||
return '64' in platform.architecture()[0] # this often works in Linux
|
||||
except:
|
||||
return False # is an older version of Python, assume also an older os (best we can guess)
|
||||
|
||||
if __name__ == "__main__":
|
||||
print(("is64bit.Python() =", Python(), "is64bit.os() =", os()))
|
506
venv/Lib/site-packages/adodbapi/license.txt
Normal file
506
venv/Lib/site-packages/adodbapi/license.txt
Normal file
|
@ -0,0 +1,506 @@
|
|||
GNU LESSER GENERAL PUBLIC LICENSE
|
||||
Version 2.1, February 1999
|
||||
|
||||
Copyright (C) 1991, 1999 Free Software Foundation, Inc.
|
||||
59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
|
||||
Everyone is permitted to copy and distribute verbatim copies
|
||||
of this license document, but changing it is not allowed.
|
||||
|
||||
[This is the first released version of the Lesser GPL. It also counts
|
||||
as the successor of the GNU Library Public License, version 2, hence
|
||||
the version number 2.1.]
|
||||
|
||||
Preamble
|
||||
|
||||
The licenses for most software are designed to take away your
|
||||
freedom to share and change it. By contrast, the GNU General Public
|
||||
Licenses are intended to guarantee your freedom to share and change
|
||||
free software--to make sure the software is free for all its users.
|
||||
|
||||
This license, the Lesser General Public License, applies to some
|
||||
specially designated software packages--typically libraries--of the
|
||||
Free Software Foundation and other authors who decide to use it. You
|
||||
can use it too, but we suggest you first think carefully about whether
|
||||
this license or the ordinary General Public License is the better
|
||||
strategy to use in any particular case, based on the explanations below.
|
||||
|
||||
When we speak of free software, we are referring to freedom of use,
|
||||
not price. Our General Public Licenses are designed to make sure that
|
||||
you have the freedom to distribute copies of free software (and charge
|
||||
for this service if you wish); that you receive source code or can get
|
||||
it if you want it; that you can change the software and use pieces of
|
||||
it in new free programs; and that you are informed that you can do
|
||||
these things.
|
||||
|
||||
To protect your rights, we need to make restrictions that forbid
|
||||
distributors to deny you these rights or to ask you to surrender these
|
||||
rights. These restrictions translate to certain responsibilities for
|
||||
you if you distribute copies of the library or if you modify it.
|
||||
|
||||
For example, if you distribute copies of the library, whether gratis
|
||||
or for a fee, you must give the recipients all the rights that we gave
|
||||
you. You must make sure that they, too, receive or can get the source
|
||||
code. If you link other code with the library, you must provide
|
||||
complete object files to the recipients, so that they can relink them
|
||||
with the library after making changes to the library and recompiling
|
||||
it. And you must show them these terms so they know their rights.
|
||||
|
||||
We protect your rights with a two-step method: (1) we copyright the
|
||||
library, and (2) we offer you this license, which gives you legal
|
||||
permission to copy, distribute and/or modify the library.
|
||||
|
||||
To protect each distributor, we want to make it very clear that
|
||||
there is no warranty for the free library. Also, if the library is
|
||||
modified by someone else and passed on, the recipients should know
|
||||
that what they have is not the original version, so that the original
|
||||
author's reputation will not be affected by problems that might be
|
||||
introduced by others.
|
||||
|
||||
|
||||
|
||||
Finally, software patents pose a constant threat to the existence of
|
||||
any free program. We wish to make sure that a company cannot
|
||||
effectively restrict the users of a free program by obtaining a
|
||||
restrictive license from a patent holder. Therefore, we insist that
|
||||
any patent license obtained for a version of the library must be
|
||||
consistent with the full freedom of use specified in this license.
|
||||
|
||||
Most GNU software, including some libraries, is covered by the
|
||||
ordinary GNU General Public License. This license, the GNU Lesser
|
||||
General Public License, applies to certain designated libraries, and
|
||||
is quite different from the ordinary General Public License. We use
|
||||
this license for certain libraries in order to permit linking those
|
||||
libraries into non-free programs.
|
||||
|
||||
When a program is linked with a library, whether statically or using
|
||||
a shared library, the combination of the two is legally speaking a
|
||||
combined work, a derivative of the original library. The ordinary
|
||||
General Public License therefore permits such linking only if the
|
||||
entire combination fits its criteria of freedom. The Lesser General
|
||||
Public License permits more lax criteria for linking other code with
|
||||
the library.
|
||||
|
||||
We call this license the "Lesser" General Public License because it
|
||||
does Less to protect the user's freedom than the ordinary General
|
||||
Public License. It also provides other free software developers Less
|
||||
of an advantage over competing non-free programs. These disadvantages
|
||||
are the reason we use the ordinary General Public License for many
|
||||
libraries. However, the Lesser license provides advantages in certain
|
||||
special circumstances.
|
||||
|
||||
For example, on rare occasions, there may be a special need to
|
||||
encourage the widest possible use of a certain library, so that it becomes
|
||||
a de-facto standard. To achieve this, non-free programs must be
|
||||
allowed to use the library. A more frequent case is that a free
|
||||
library does the same job as widely used non-free libraries. In this
|
||||
case, there is little to gain by limiting the free library to free
|
||||
software only, so we use the Lesser General Public License.
|
||||
|
||||
In other cases, permission to use a particular library in non-free
|
||||
programs enables a greater number of people to use a large body of
|
||||
free software. For example, permission to use the GNU C Library in
|
||||
non-free programs enables many more people to use the whole GNU
|
||||
operating system, as well as its variant, the GNU/Linux operating
|
||||
system.
|
||||
|
||||
Although the Lesser General Public License is Less protective of the
|
||||
users' freedom, it does ensure that the user of a program that is
|
||||
linked with the Library has the freedom and the wherewithal to run
|
||||
that program using a modified version of the Library.
|
||||
|
||||
The precise terms and conditions for copying, distribution and
|
||||
modification follow. Pay close attention to the difference between a
|
||||
"work based on the library" and a "work that uses the library". The
|
||||
former contains code derived from the library, whereas the latter must
|
||||
be combined with the library in order to run.
|
||||
|
||||
|
||||
|
||||
GNU LESSER GENERAL PUBLIC LICENSE
|
||||
TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION
|
||||
|
||||
0. This License Agreement applies to any software library or other
|
||||
program which contains a notice placed by the copyright holder or
|
||||
other authorized party saying it may be distributed under the terms of
|
||||
this Lesser General Public License (also called "this License").
|
||||
Each licensee is addressed as "you".
|
||||
|
||||
A "library" means a collection of software functions and/or data
|
||||
prepared so as to be conveniently linked with application programs
|
||||
(which use some of those functions and data) to form executables.
|
||||
|
||||
The "Library", below, refers to any such software library or work
|
||||
which has been distributed under these terms. A "work based on the
|
||||
Library" means either the Library or any derivative work under
|
||||
copyright law: that is to say, a work containing the Library or a
|
||||
portion of it, either verbatim or with modifications and/or translated
|
||||
straightforwardly into another language. (Hereinafter, translation is
|
||||
included without limitation in the term "modification".)
|
||||
|
||||
"Source code" for a work means the preferred form of the work for
|
||||
making modifications to it. For a library, complete source code means
|
||||
all the source code for all modules it contains, plus any associated
|
||||
interface definition files, plus the scripts used to control compilation
|
||||
and installation of the library.
|
||||
|
||||
Activities other than copying, distribution and modification are not
|
||||
covered by this License; they are outside its scope. The act of
|
||||
running a program using the Library is not restricted, and output from
|
||||
such a program is covered only if its contents constitute a work based
|
||||
on the Library (independent of the use of the Library in a tool for
|
||||
writing it). Whether that is true depends on what the Library does
|
||||
and what the program that uses the Library does.
|
||||
|
||||
1. You may copy and distribute verbatim copies of the Library's
|
||||
complete source code as you receive it, in any medium, provided that
|
||||
you conspicuously and appropriately publish on each copy an
|
||||
appropriate copyright notice and disclaimer of warranty; keep intact
|
||||
all the notices that refer to this License and to the absence of any
|
||||
warranty; and distribute a copy of this License along with the
|
||||
Library.
|
||||
You may charge a fee for the physical act of transferring a copy,
|
||||
and you may at your option offer warranty protection in exchange for a
|
||||
fee.
|
||||
|
||||
2. You may modify your copy or copies of the Library or any portion
|
||||
of it, thus forming a work based on the Library, and copy and
|
||||
distribute such modifications or work under the terms of Section 1
|
||||
above, provided that you also meet all of these conditions:
|
||||
|
||||
a) The modified work must itself be a software library.
|
||||
|
||||
b) You must cause the files modified to carry prominent notices
|
||||
stating that you changed the files and the date of any change.
|
||||
|
||||
c) You must cause the whole of the work to be licensed at no
|
||||
charge to all third parties under the terms of this License.
|
||||
|
||||
d) If a facility in the modified Library refers to a function or a
|
||||
table of data to be supplied by an application program that uses
|
||||
the facility, other than as an argument passed when the facility
|
||||
is invoked, then you must make a good faith effort to ensure that,
|
||||
in the event an application does not supply such function or
|
||||
table, the facility still operates, and performs whatever part of
|
||||
its purpose remains meaningful.
|
||||
|
||||
(For example, a function in a library to compute square roots has
|
||||
a purpose that is entirely well-defined independent of the
|
||||
application. Therefore, Subsection 2d requires that any
|
||||
application-supplied function or table used by this function must
|
||||
be optional: if the application does not supply it, the square
|
||||
root function must still compute square roots.)
|
||||
|
||||
These requirements apply to the modified work as a whole. If
|
||||
identifiable sections of that work are not derived from the Library,
|
||||
and can be reasonably considered independent and separate works in
|
||||
themselves, then this License, and its terms, do not apply to those
|
||||
sections when you distribute them as separate works. But when you
|
||||
distribute the same sections as part of a whole which is a work based
|
||||
on the Library, the distribution of the whole must be on the terms of
|
||||
this License, whose permissions for other licensees extend to the
|
||||
entire whole, and thus to each and every part regardless of who wrote
|
||||
it.
|
||||
|
||||
Thus, it is not the intent of this section to claim rights or contest
|
||||
your rights to work written entirely by you; rather, the intent is to
|
||||
exercise the right to control the distribution of derivative or
|
||||
collective works based on the Library.
|
||||
|
||||
In addition, mere aggregation of another work not based on the Library
|
||||
with the Library (or with a work based on the Library) on a volume of
|
||||
a storage or distribution medium does not bring the other work under
|
||||
the scope of this License.
|
||||
|
||||
3. You may opt to apply the terms of the ordinary GNU General Public
|
||||
License instead of this License to a given copy of the Library. To do
|
||||
this, you must alter all the notices that refer to this License, so
|
||||
that they refer to the ordinary GNU General Public License, version 2,
|
||||
instead of to this License. (If a newer version than version 2 of the
|
||||
ordinary GNU General Public License has appeared, then you can specify
|
||||
that version instead if you wish.) Do not make any other change in
|
||||
these notices.
|
||||
|
||||
Once this change is made in a given copy, it is irreversible for
|
||||
that copy, so the ordinary GNU General Public License applies to all
|
||||
subsequent copies and derivative works made from that copy.
|
||||
|
||||
This option is useful when you wish to copy part of the code of
|
||||
the Library into a program that is not a library.
|
||||
|
||||
4. You may copy and distribute the Library (or a portion or
|
||||
derivative of it, under Section 2) in object code or executable form
|
||||
under the terms of Sections 1 and 2 above provided that you accompany
|
||||
it with the complete corresponding machine-readable source code, which
|
||||
must be distributed under the terms of Sections 1 and 2 above on a
|
||||
medium customarily used for software interchange.
|
||||
|
||||
If distribution of object code is made by offering access to copy
|
||||
from a designated place, then offering equivalent access to copy the
|
||||
source code from the same place satisfies the requirement to
|
||||
distribute the source code, even though third parties are not
|
||||
compelled to copy the source along with the object code.
|
||||
|
||||
5. A program that contains no derivative of any portion of the
|
||||
Library, but is designed to work with the Library by being compiled or
|
||||
linked with it, is called a "work that uses the Library". Such a
|
||||
work, in isolation, is not a derivative work of the Library, and
|
||||
therefore falls outside the scope of this License.
|
||||
|
||||
However, linking a "work that uses the Library" with the Library
|
||||
creates an executable that is a derivative of the Library (because it
|
||||
contains portions of the Library), rather than a "work that uses the
|
||||
library". The executable is therefore covered by this License.
|
||||
Section 6 states terms for distribution of such executables.
|
||||
|
||||
When a "work that uses the Library" uses material from a header file
|
||||
that is part of the Library, the object code for the work may be a
|
||||
derivative work of the Library even though the source code is not.
|
||||
Whether this is true is especially significant if the work can be
|
||||
linked without the Library, or if the work is itself a library. The
|
||||
threshold for this to be true is not precisely defined by law.
|
||||
|
||||
If such an object file uses only numerical parameters, data
|
||||
structure layouts and accessors, and small macros and small inline
|
||||
functions (ten lines or less in length), then the use of the object
|
||||
file is unrestricted, regardless of whether it is legally a derivative
|
||||
work. (Executables containing this object code plus portions of the
|
||||
Library will still fall under Section 6.)
|
||||
|
||||
Otherwise, if the work is a derivative of the Library, you may
|
||||
distribute the object code for the work under the terms of Section 6.
|
||||
Any executables containing that work also fall under Section 6,
|
||||
whether or not they are linked directly with the Library itself.
|
||||
|
||||
6. As an exception to the Sections above, you may also combine or
|
||||
link a "work that uses the Library" with the Library to produce a
|
||||
work containing portions of the Library, and distribute that work
|
||||
under terms of your choice, provided that the terms permit
|
||||
modification of the work for the customer's own use and reverse
|
||||
engineering for debugging such modifications.
|
||||
|
||||
You must give prominent notice with each copy of the work that the
|
||||
Library is used in it and that the Library and its use are covered by
|
||||
this License. You must supply a copy of this License. If the work
|
||||
during execution displays copyright notices, you must include the
|
||||
copyright notice for the Library among them, as well as a reference
|
||||
directing the user to the copy of this License. Also, you must do one
|
||||
of these things:
|
||||
|
||||
a) Accompany the work with the complete corresponding
|
||||
machine-readable source code for the Library including whatever
|
||||
changes were used in the work (which must be distributed under
|
||||
Sections 1 and 2 above); and, if the work is an executable linked
|
||||
with the Library, with the complete machine-readable "work that
|
||||
uses the Library", as object code and/or source code, so that the
|
||||
user can modify the Library and then relink to produce a modified
|
||||
executable containing the modified Library. (It is understood
|
||||
that the user who changes the contents of definitions files in the
|
||||
Library will not necessarily be able to recompile the application
|
||||
to use the modified definitions.)
|
||||
|
||||
b) Use a suitable shared library mechanism for linking with the
|
||||
Library. A suitable mechanism is one that (1) uses at run time a
|
||||
copy of the library already present on the user's computer system,
|
||||
rather than copying library functions into the executable, and (2)
|
||||
will operate properly with a modified version of the library, if
|
||||
the user installs one, as long as the modified version is
|
||||
interface-compatible with the version that the work was made with.
|
||||
|
||||
c) Accompany the work with a written offer, valid for at
|
||||
least three years, to give the same user the materials
|
||||
specified in Subsection 6a, above, for a charge no more
|
||||
than the cost of performing this distribution.
|
||||
|
||||
d) If distribution of the work is made by offering access to copy
|
||||
from a designated place, offer equivalent access to copy the above
|
||||
specified materials from the same place.
|
||||
|
||||
e) Verify that the user has already received a copy of these
|
||||
materials or that you have already sent this user a copy.
|
||||
|
||||
For an executable, the required form of the "work that uses the
|
||||
Library" must include any data and utility programs needed for
|
||||
reproducing the executable from it. However, as a special exception,
|
||||
the materials to be distributed need not include anything that is
|
||||
normally distributed (in either source or binary form) with the major
|
||||
components (compiler, kernel, and so on) of the operating system on
|
||||
which the executable runs, unless that component itself accompanies
|
||||
the executable.
|
||||
|
||||
It may happen that this requirement contradicts the license
|
||||
restrictions of other proprietary libraries that do not normally
|
||||
accompany the operating system. Such a contradiction means you cannot
|
||||
use both them and the Library together in an executable that you
|
||||
distribute.
|
||||
|
||||
7. You may place library facilities that are a work based on the
|
||||
Library side-by-side in a single library together with other library
|
||||
facilities not covered by this License, and distribute such a combined
|
||||
library, provided that the separate distribution of the work based on
|
||||
the Library and of the other library facilities is otherwise
|
||||
permitted, and provided that you do these two things:
|
||||
|
||||
a) Accompany the combined library with a copy of the same work
|
||||
based on the Library, uncombined with any other library
|
||||
facilities. This must be distributed under the terms of the
|
||||
Sections above.
|
||||
|
||||
b) Give prominent notice with the combined library of the fact
|
||||
that part of it is a work based on the Library, and explaining
|
||||
where to find the accompanying uncombined form of the same work.
|
||||
|
||||
8. You may not copy, modify, sublicense, link with, or distribute
|
||||
the Library except as expressly provided under this License. Any
|
||||
attempt otherwise to copy, modify, sublicense, link with, or
|
||||
distribute the Library is void, and will automatically terminate your
|
||||
rights under this License. However, parties who have received copies,
|
||||
or rights, from you under this License will not have their licenses
|
||||
terminated so long as such parties remain in full compliance.
|
||||
|
||||
9. You are not required to accept this License, since you have not
|
||||
signed it. However, nothing else grants you permission to modify or
|
||||
distribute the Library or its derivative works. These actions are
|
||||
prohibited by law if you do not accept this License. Therefore, by
|
||||
modifying or distributing the Library (or any work based on the
|
||||
Library), you indicate your acceptance of this License to do so, and
|
||||
all its terms and conditions for copying, distributing or modifying
|
||||
the Library or works based on it.
|
||||
|
||||
10. Each time you redistribute the Library (or any work based on the
|
||||
Library), the recipient automatically receives a license from the
|
||||
original licensor to copy, distribute, link with or modify the Library
|
||||
subject to these terms and conditions. You may not impose any further
|
||||
restrictions on the recipients' exercise of the rights granted herein.
|
||||
You are not responsible for enforcing compliance by third parties with
|
||||
this License.
|
||||
|
||||
11. If, as a consequence of a court judgment or allegation of patent
|
||||
infringement or for any other reason (not limited to patent issues),
|
||||
conditions are imposed on you (whether by court order, agreement or
|
||||
otherwise) that contradict the conditions of this License, they do not
|
||||
excuse you from the conditions of this License. If you cannot
|
||||
distribute so as to satisfy simultaneously your obligations under this
|
||||
License and any other pertinent obligations, then as a consequence you
|
||||
may not distribute the Library at all. For example, if a patent
|
||||
license would not permit royalty-free redistribution of the Library by
|
||||
all those who receive copies directly or indirectly through you, then
|
||||
the only way you could satisfy both it and this License would be to
|
||||
refrain entirely from distribution of the Library.
|
||||
|
||||
If any portion of this section is held invalid or unenforceable under any
|
||||
particular circumstance, the balance of the section is intended to apply,
|
||||
and the section as a whole is intended to apply in other circumstances.
|
||||
|
||||
It is not the purpose of this section to induce you to infringe any
|
||||
patents or other property right claims or to contest validity of any
|
||||
such claims; this section has the sole purpose of protecting the
|
||||
integrity of the free software distribution system which is
|
||||
implemented by public license practices. Many people have made
|
||||
generous contributions to the wide range of software distributed
|
||||
through that system in reliance on consistent application of that
|
||||
system; it is up to the author/donor to decide if he or she is willing
|
||||
to distribute software through any other system and a licensee cannot
|
||||
impose that choice.
|
||||
|
||||
This section is intended to make thoroughly clear what is believed to
|
||||
be a consequence of the rest of this License.
|
||||
|
||||
12. If the distribution and/or use of the Library is restricted in
|
||||
certain countries either by patents or by copyrighted interfaces, the
|
||||
original copyright holder who places the Library under this License may add
|
||||
an explicit geographical distribution limitation excluding those countries,
|
||||
so that distribution is permitted only in or among countries not thus
|
||||
excluded. In such case, this License incorporates the limitation as if
|
||||
written in the body of this License.
|
||||
|
||||
13. The Free Software Foundation may publish revised and/or new
|
||||
versions of the Lesser General Public License from time to time.
|
||||
Such new versions will be similar in spirit to the present version,
|
||||
but may differ in detail to address new problems or concerns.
|
||||
|
||||
Each version is given a distinguishing version number. If the Library
|
||||
specifies a version number of this License which applies to it and
|
||||
"any later version", you have the option of following the terms and
|
||||
conditions either of that version or of any later version published by
|
||||
the Free Software Foundation. If the Library does not specify a
|
||||
license version number, you may choose any version ever published by
|
||||
the Free Software Foundation.
|
||||
|
||||
14. If you wish to incorporate parts of the Library into other free
|
||||
programs whose distribution conditions are incompatible with these,
|
||||
write to the author to ask for permission. For software which is
|
||||
copyrighted by the Free Software Foundation, write to the Free
|
||||
Software Foundation; we sometimes make exceptions for this. Our
|
||||
decision will be guided by the two goals of preserving the free status
|
||||
of all derivatives of our free software and of promoting the sharing
|
||||
and reuse of software generally.
|
||||
|
||||
NO WARRANTY
|
||||
|
||||
15. BECAUSE THE LIBRARY IS LICENSED FREE OF CHARGE, THERE IS NO
|
||||
WARRANTY FOR THE LIBRARY, TO THE EXTENT PERMITTED BY APPLICABLE LAW.
|
||||
EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR
|
||||
OTHER PARTIES PROVIDE THE LIBRARY "AS IS" WITHOUT WARRANTY OF ANY
|
||||
KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE
|
||||
IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
|
||||
PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE
|
||||
LIBRARY IS WITH YOU. SHOULD THE LIBRARY PROVE DEFECTIVE, YOU ASSUME
|
||||
THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
|
||||
|
||||
16. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN
|
||||
WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY
|
||||
AND/OR REDISTRIBUTE THE LIBRARY AS PERMITTED ABOVE, BE LIABLE TO YOU
|
||||
FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR
|
||||
CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE
|
||||
LIBRARY (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING
|
||||
RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A
|
||||
FAILURE OF THE LIBRARY TO OPERATE WITH ANY OTHER SOFTWARE), EVEN IF
|
||||
SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH
|
||||
DAMAGES.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
||||
|
||||
How to Apply These Terms to Your New Libraries
|
||||
|
||||
If you develop a new library, and you want it to be of the greatest
|
||||
possible use to the public, we recommend making it free software that
|
||||
everyone can redistribute and change. You can do so by permitting
|
||||
redistribution under these terms (or, alternatively, under the terms of the
|
||||
ordinary General Public License).
|
||||
|
||||
To apply these terms, attach the following notices to the library. It is
|
||||
safest to attach them to the start of each source file to most effectively
|
||||
convey the exclusion of warranty; and each file should have at least the
|
||||
"copyright" line and a pointer to where the full notice is found.
|
||||
|
||||
<one line to give the library's name and a brief idea of what it does.>
|
||||
Copyright (C) <year> <name of author>
|
||||
|
||||
This library is free software; you can redistribute it and/or
|
||||
modify it under the terms of the GNU Lesser General Public
|
||||
License as published by the Free Software Foundation; either
|
||||
version 2.1 of the License, or (at your option) any later version.
|
||||
|
||||
This library is distributed in the hope that it will be useful,
|
||||
but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
|
||||
Lesser General Public License for more details.
|
||||
|
||||
You should have received a copy of the GNU Lesser General Public
|
||||
License along with this library; if not, write to the Free Software
|
||||
Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
|
||||
|
||||
Also add information on how to contact you by electronic and paper mail.
|
||||
|
||||
You should also get your employer (if you work as a programmer) or your
|
||||
school, if any, to sign a "copyright disclaimer" for the library, if
|
||||
necessary. Here is a sample; alter the names:
|
||||
|
||||
Yoyodyne, Inc., hereby disclaims all copyright interest in the
|
||||
library `Frob' (a library for tweaking knobs) written by James Random Hacker.
|
||||
|
||||
<signature of Ty Coon>, 1 April 1990
|
||||
Ty Coon, President of Vice
|
||||
|
||||
That's all there is to it!
|
||||
|
118
venv/Lib/site-packages/adodbapi/process_connect_string.py
Normal file
118
venv/Lib/site-packages/adodbapi/process_connect_string.py
Normal file
|
@ -0,0 +1,118 @@
|
|||
""" a clumsy attempt at a macro language to let the programmer execute code on the server (ex: determine 64bit)"""
|
||||
from . import is64bit as is64bit
|
||||
|
||||
def macro_call(macro_name, args, kwargs):
|
||||
""" allow the programmer to perform limited processing on the server by passing macro names and args
|
||||
|
||||
:new_key - the key name the macro will create
|
||||
:args[0] - macro name
|
||||
:args[1:] - any arguments
|
||||
:code - the value of the keyword item
|
||||
:kwargs - the connection keyword dictionary. ??key has been removed
|
||||
--> the value to put in for kwargs['name'] = value
|
||||
"""
|
||||
if isinstance(args, (str, str)):
|
||||
args = [args] # the user forgot to pass a sequence, so make a string into args[0]
|
||||
new_key = args[0]
|
||||
try:
|
||||
if macro_name == "is64bit":
|
||||
if is64bit.Python(): # if on 64 bit Python
|
||||
return new_key, args[1] # return first argument
|
||||
else:
|
||||
try:
|
||||
return new_key, args[2] # else return second argument (if defined)
|
||||
except IndexError:
|
||||
return new_key, '' # else return blank
|
||||
|
||||
elif macro_name == "getuser": # get the name of the user the server is logged in under
|
||||
if not new_key in kwargs:
|
||||
import getpass
|
||||
return new_key, getpass.getuser()
|
||||
|
||||
elif macro_name == "getnode": # get the name of the computer running the server
|
||||
import platform
|
||||
try:
|
||||
return new_key, args[1] % platform.node()
|
||||
except IndexError:
|
||||
return new_key, platform.node()
|
||||
|
||||
elif macro_name == "getenv": # expand the server's environment variable args[1]
|
||||
try:
|
||||
dflt = args[2] # if not found, default from args[2]
|
||||
except IndexError: # or blank
|
||||
dflt = ''
|
||||
return new_key, os.environ.get(args[1], dflt)
|
||||
|
||||
elif macro_name == "auto_security":
|
||||
if not 'user' in kwargs or not kwargs['user']: # missing, blank, or Null username
|
||||
return new_key, 'Integrated Security=SSPI'
|
||||
return new_key, 'User ID=%(user)s; Password=%(password)s' % kwargs
|
||||
|
||||
elif macro_name == "find_temp_test_path": # helper function for testing ado operation -- undocumented
|
||||
import tempfile, os
|
||||
return new_key, os.path.join(tempfile.gettempdir(), 'adodbapi_test', args[1])
|
||||
|
||||
raise ValueError ('Unknown connect string macro=%s' % macro_name)
|
||||
except:
|
||||
raise ValueError ('Error in macro processing %s %s' % (macro_name, repr(args)))
|
||||
|
||||
def process(args, kwargs, expand_macros=False): # --> connection string with keyword arguments processed.
|
||||
""" attempts to inject arguments into a connection string using Python "%" operator for strings
|
||||
|
||||
co: adodbapi connection object
|
||||
args: positional parameters from the .connect() call
|
||||
kvargs: keyword arguments from the .connect() call
|
||||
"""
|
||||
try:
|
||||
dsn = args[0]
|
||||
except IndexError:
|
||||
dsn = None
|
||||
if isinstance(dsn, dict): # as a convenience the first argument may be django settings
|
||||
kwargs.update(dsn)
|
||||
elif dsn: # the connection string is passed to the connection as part of the keyword dictionary
|
||||
kwargs['connection_string'] = dsn
|
||||
try:
|
||||
a1 = args[1]
|
||||
except IndexError:
|
||||
a1 = None
|
||||
# historically, the second positional argument might be a timeout value
|
||||
if isinstance(a1, int):
|
||||
kwargs['timeout'] = a1
|
||||
# if the second positional argument is a string, then it is user
|
||||
elif isinstance(a1, str):
|
||||
kwargs['user'] = a1
|
||||
# if the second positional argument is a dictionary, use it as keyword arguments, too
|
||||
elif isinstance(a1, dict):
|
||||
kwargs.update(a1)
|
||||
try:
|
||||
kwargs['password'] = args[2] # the third positional argument is password
|
||||
kwargs['host'] = args[3] # the fourth positional argument is host name
|
||||
kwargs['database'] = args[4] # the fifth positional argument is database name
|
||||
except IndexError:
|
||||
pass
|
||||
|
||||
# make sure connection string is defined somehow
|
||||
if not 'connection_string' in kwargs:
|
||||
try: # perhaps 'dsn' was defined
|
||||
kwargs['connection_string'] = kwargs['dsn']
|
||||
except KeyError:
|
||||
try: # as a last effort, use the "host" keyword
|
||||
kwargs['connection_string'] = kwargs['host']
|
||||
except KeyError:
|
||||
raise TypeError ("Must define 'connection_string' for ado connections")
|
||||
if expand_macros:
|
||||
for kwarg in list(kwargs.keys()):
|
||||
if kwarg.startswith('macro_'): # If a key defines a macro
|
||||
macro_name = kwarg[6:] # name without the "macro_"
|
||||
macro_code = kwargs.pop(kwarg) # we remove the macro_key and get the code to execute
|
||||
new_key, rslt = macro_call(macro_name, macro_code, kwargs) # run the code in the local context
|
||||
kwargs[new_key] = rslt # put the result back in the keywords dict
|
||||
# special processing for PyRO IPv6 host address
|
||||
try:
|
||||
s = kwargs['proxy_host']
|
||||
if ':' in s: # it is an IPv6 address
|
||||
if s[0] != '[': # is not surrounded by brackets
|
||||
kwargs['proxy_host'] = s.join(('[',']')) # put it in brackets
|
||||
except KeyError:
|
||||
pass
|
||||
return kwargs
|
92
venv/Lib/site-packages/adodbapi/readme.txt
Normal file
92
venv/Lib/site-packages/adodbapi/readme.txt
Normal file
|
@ -0,0 +1,92 @@
|
|||
Project
|
||||
-------
|
||||
adodbapi
|
||||
|
||||
A Python DB-API 2.0 (PEP-249) module that makes it easy to use Microsoft ADO
|
||||
for connecting with databases and other data sources
|
||||
using either CPython or IronPython.
|
||||
|
||||
Home page: <http://sourceforge.net/projects/adodbapi>
|
||||
|
||||
Features:
|
||||
* 100% DB-API 2.0 (PEP-249) compliant (including most extensions and recommendations).
|
||||
* Includes pyunit testcases that describe how to use the module.
|
||||
* Fully implemented in Python. -- runs in Python 2.5+ Python 3.0+ and IronPython 2.6+
|
||||
* Licensed under the LGPL license, which means that it can be used freely even in commercial programs subject to certain restrictions.
|
||||
* The user can choose between paramstyles: 'qmark' 'named' 'format' 'pyformat' 'dynamic'
|
||||
* Supports data retrieval by column name e.g.:
|
||||
for row in myCurser.execute("select name,age from students"):
|
||||
print("Student", row.name, "is", row.age, "years old.")
|
||||
* Supports user-definable system-to-Python data conversion functions (selected by ADO data type, or by column)
|
||||
|
||||
Prerequisites:
|
||||
* C Python 2.7 or 3.5 or higher
|
||||
and pywin32 (Mark Hammond's python for windows extensions.)
|
||||
or
|
||||
Iron Python 2.7 or higher. (works in IPy2.0 for all data types except BUFFER)
|
||||
|
||||
Installation:
|
||||
* (C-Python on Windows): Install pywin32 ("pip install pywin32") which includes adodbapi.
|
||||
* (IronPython on Windows): Download adodbapi from http://sf.net/projects/adodbapi. Unpack the zip.
|
||||
Open a command window as an administrator. CD to the folder containing the unzipped files.
|
||||
Run "setup.py install" using the IronPython of your choice.
|
||||
|
||||
NOTE: ...........
|
||||
If you do not like the new default operation of returning Numeric columns as decimal.Decimal,
|
||||
you can select other options by the user defined conversion feature.
|
||||
Try:
|
||||
adodbapi.apibase.variantConversions[adodbapi.ado_consts.adNumeric] = adodbapi.apibase.cvtString
|
||||
or:
|
||||
adodbapi.apibase.variantConversions[adodbapi.ado_consts.adNumeric] = adodbapi.apibase.cvtFloat
|
||||
or:
|
||||
adodbapi.apibase.variantConversions[adodbapi.ado_consts.adNumeric] = write_your_own_convertion_function
|
||||
............
|
||||
notes for 2.6.2:
|
||||
The definitive source has been moved to https://github.com/mhammond/pywin32/tree/master/adodbapi.
|
||||
Remote has proven too hard to configure and test with Pyro4. I am moving it to unsupported status
|
||||
until I can change to a different connection method.
|
||||
whats new in version 2.6
|
||||
A cursor.prepare() method and support for prepared SQL statements.
|
||||
Lots of refactoring, especially of the Remote and Server modules (still to be treated as Beta code).
|
||||
The quick start document 'quick_reference.odt' will export as a nice-looking pdf.
|
||||
Added paramstyles 'pyformat' and 'dynamic'. If your 'paramstyle' is 'named' you _must_ pass a dictionary of
|
||||
parameters to your .execute() method. If your 'paramstyle' is 'format' 'pyformat' or 'dynamic', you _may_
|
||||
pass a dictionary of parameters -- provided your SQL operation string is formatted correctly.
|
||||
|
||||
whats new in version 2.5
|
||||
Remote module: (works on Linux!) allows a Windows computer to serve ADO databases via PyRO
|
||||
Server module: PyRO server for ADO. Run using a command like= C:>python -m adodbapi.server
|
||||
(server has simple connection string macros: is64bit, getuser, sql_provider, auto_security)
|
||||
Brief documentation included. See adodbapi/examples folder adodbapi.rtf
|
||||
New connection method conn.get_table_names() --> list of names of tables in database
|
||||
|
||||
Vastly refactored. Data conversion things have been moved to the new adodbapi.apibase module.
|
||||
Many former module-level attributes are now class attributes. (Should be more thread-safe)
|
||||
Connection objects are now context managers for transactions and will commit or rollback.
|
||||
Cursor objects are context managers and will automatically close themselves.
|
||||
Autocommit can be switched on and off.
|
||||
Keyword and positional arguments on the connect() method work as documented in PEP 249.
|
||||
Keyword arguments from the connect call can be formatted into the connection string.
|
||||
New keyword arguments defined, such as: autocommit, paramstyle, remote_proxy, remote_port.
|
||||
*** Breaking change: variantConversion lookups are simplified: the following will raise KeyError:
|
||||
oldconverter=adodbapi.variantConversions[adodbapi.adoStringTypes]
|
||||
Refactor as: oldconverter=adodbapi.variantConversions[adodbapi.adoStringTypes[0]]
|
||||
|
||||
License
|
||||
-------
|
||||
LGPL, see http://www.opensource.org/licenses/lgpl-license.php
|
||||
|
||||
Documentation
|
||||
-------------
|
||||
|
||||
Look at adodbapi/quick_reference.md
|
||||
http://www.python.org/topics/database/DatabaseAPI-2.0.html
|
||||
read the examples in adodbapi/examples
|
||||
and look at the test cases in adodbapi/test directory.
|
||||
|
||||
Mailing lists
|
||||
-------------
|
||||
The adodbapi mailing lists have been deactivated. Submit comments to the
|
||||
pywin32 or IronPython mailing lists.
|
||||
-- the bug tracker on sourceforge.net/projects/adodbapi may be checked, (infrequently).
|
||||
-- please use: https://github.com/mhammond/pywin32/issues
|
537
venv/Lib/site-packages/adodbapi/remote.py
Normal file
537
venv/Lib/site-packages/adodbapi/remote.py
Normal file
|
@ -0,0 +1,537 @@
|
|||
"""adodbapi.remote - A python DB API 2.0 (PEP 249) interface to Microsoft ADO
|
||||
|
||||
Copyright (C) 2002 Henrik Ekelund, version 2.1 by Vernon Cole
|
||||
* http://sourceforge.net/projects/pywin32
|
||||
* http://sourceforge.net/projects/adodbapi
|
||||
|
||||
This library is free software; you can redistribute it and/or
|
||||
modify it under the terms of the GNU Lesser General Public
|
||||
License as published by the Free Software Foundation; either
|
||||
version 2.1 of the License, or (at your option) any later version.
|
||||
|
||||
This library is distributed in the hope that it will be useful,
|
||||
but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
|
||||
Lesser General Public License for more details.
|
||||
|
||||
You should have received a copy of the GNU Lesser General Public
|
||||
License along with this library; if not, write to the Free Software
|
||||
Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
|
||||
|
||||
django adaptations and refactoring thanks to Adam Vandenberg
|
||||
|
||||
DB-API 2.0 specification: http://www.python.org/dev/peps/pep-0249/
|
||||
|
||||
This module source should run correctly in CPython versions 2.5 and later,
|
||||
or IronPython version 2.7 and later,
|
||||
or, after running through 2to3.py, CPython 3.0 or later.
|
||||
"""
|
||||
from __future__ import absolute_import
|
||||
|
||||
__version__ = '2.6.0.4'
|
||||
version = 'adodbapi.remote v' + __version__
|
||||
|
||||
import os
|
||||
import sys
|
||||
import array
|
||||
import time
|
||||
import datetime
|
||||
|
||||
# Pyro4 is required for server and remote operation --> https://pypi.python.org/pypi/Pyro4/
|
||||
try:
|
||||
import Pyro4
|
||||
except ImportError:
|
||||
print('* * * Sorry, server operation requires Pyro4. Please "pip import" it.')
|
||||
exit(11)
|
||||
|
||||
import adodbapi
|
||||
import adodbapi.apibase as api
|
||||
import adodbapi.process_connect_string
|
||||
from adodbapi.apibase import ProgrammingError
|
||||
|
||||
_BaseException = api._BaseException
|
||||
|
||||
sys.excepthook = Pyro4.util.excepthook
|
||||
Pyro4.config.PREFER_IP_VERSION = 0 # allow system to prefer IPv6
|
||||
Pyro4.config.COMMTIMEOUT = 40.0 # a bit longer than the default SQL server Gtimeout
|
||||
Pyro4.config.SERIALIZER = 'pickle'
|
||||
|
||||
try:
|
||||
verbose = int(os.environ['ADODBAPI_VERBOSE'])
|
||||
except:
|
||||
verbose = False
|
||||
if verbose:
|
||||
print(version)
|
||||
|
||||
# --- define objects to smooth out Python3 <-> Python 2.x differences
|
||||
unicodeType = str #this line will be altered by 2to3.py to '= str'
|
||||
longType = int #this line will be altered by 2to3.py to '= int'
|
||||
if sys.version[0] >= '3': #python 3.x
|
||||
StringTypes = str
|
||||
makeByteBuffer = bytes
|
||||
memoryViewType = memoryview
|
||||
else: #python 2.x
|
||||
memoryViewType = type(buffer(''))
|
||||
def makeByteBuffer(x): # special for remote to be pickle-able
|
||||
return bytes(x)
|
||||
try: #jdhardy -- handle bytes under IronPython
|
||||
bytes
|
||||
except NameError:
|
||||
bytes = str
|
||||
StringTypes = (str,str) # will be messed up by 2to3 but never used
|
||||
# -----------------------------------------------------------
|
||||
# conversion functions mandated by PEP 249
|
||||
Binary = makeByteBuffer # override the function from apibase.py
|
||||
def Date(year,month,day):
|
||||
return datetime.date(year,month,day) #dateconverter.Date(year,month,day)
|
||||
def Time(hour,minute,second):
|
||||
return datetime.time(hour, minute, second) # dateconverter.Time(hour,minute,second)
|
||||
def Timestamp(year,month,day,hour,minute,second):
|
||||
return datetime.datetime(year,month,day,hour,minute,second)
|
||||
def DateFromTicks(ticks):
|
||||
return Date(*time.gmtime(ticks)[:3])
|
||||
def TimeFromTicks(ticks):
|
||||
return Time(*time.gmtime(ticks)[3:6])
|
||||
def TimestampFromTicks(ticks):
|
||||
return Timestamp(*time.gmtime(ticks)[:6])
|
||||
|
||||
def connect(*args, **kwargs): # --> a remote db-api connection object
|
||||
"""Create and open a remote db-api database connection object"""
|
||||
# process the argument list the programmer gave us
|
||||
kwargs = adodbapi.process_connect_string.process(args, kwargs)
|
||||
# the "proxy_xxx" keys tell us where to find the PyRO proxy server
|
||||
kwargs.setdefault('pyro_connection', 'PYRO:ado.connection@%(proxy_host)s:%(proxy_port)s')
|
||||
if not 'proxy_port' in kwargs:
|
||||
try:
|
||||
pport = os.environ['PROXY_PORT']
|
||||
except KeyError:
|
||||
pport = 9099
|
||||
kwargs['proxy_port'] = pport
|
||||
if not 'proxy_host' in kwargs or not kwargs['proxy_host']:
|
||||
try:
|
||||
phost = os.environ['PROXY_HOST']
|
||||
except KeyError:
|
||||
phost = '[::1]' # '127.0.0.1'
|
||||
kwargs['proxy_host'] = phost
|
||||
ado_uri = kwargs['pyro_connection'] % kwargs
|
||||
# ask PyRO make us a remote connection object
|
||||
auto_retry = 3
|
||||
while auto_retry:
|
||||
try:
|
||||
dispatcher = Pyro4.Proxy(ado_uri)
|
||||
if 'comm_timeout' in kwargs:
|
||||
dispatcher._pyroTimeout = float(kwargs['comm_timeout'])
|
||||
uri = dispatcher.make_connection()
|
||||
break
|
||||
except Pyro4.core.errors.PyroError:
|
||||
auto_retry -= 1
|
||||
if auto_retry:
|
||||
time.sleep(1)
|
||||
else:
|
||||
raise api.DatabaseError ('Cannot create connection to=%s' % ado_uri)
|
||||
|
||||
conn_uri = fix_uri(uri, kwargs) # get a host connection from the proxy server
|
||||
while auto_retry:
|
||||
try:
|
||||
host_conn = Pyro4.Proxy(conn_uri) # bring up an exclusive Pyro connection for my ADO connection
|
||||
break
|
||||
except Pyro4.core.errors.PyroError:
|
||||
auto_retry -= 1
|
||||
if auto_retry:
|
||||
time.sleep(1)
|
||||
else:
|
||||
raise api.DatabaseError ('Cannot create ADO connection object using=%s' % conn_uri)
|
||||
if 'comm_timeout' in kwargs:
|
||||
host_conn._pyroTimeout = float(kwargs['comm_timeout'])
|
||||
# make a local clone
|
||||
myConn = Connection()
|
||||
while auto_retry:
|
||||
try:
|
||||
myConn.connect(kwargs, host_conn) # call my connect method -- hand him the host connection
|
||||
break
|
||||
except Pyro4.core.errors.PyroError:
|
||||
auto_retry -= 1
|
||||
if auto_retry:
|
||||
time.sleep(1)
|
||||
else:
|
||||
raise api.DatabaseError ('Pyro error creating connection to/thru=%s' % repr(kwargs))
|
||||
except _BaseException as e:
|
||||
raise api.DatabaseError('Error creating remote connection to=%s, e=%s, %s' % (repr(kwargs), repr(e),sys.exc_info()[2]))
|
||||
return myConn
|
||||
|
||||
def fix_uri(uri, kwargs):
|
||||
"""convert a generic pyro uri with '0.0.0.0' into the address we actually called"""
|
||||
u = uri.asString()
|
||||
s = u.split('[::0]') # IPv6 generic address
|
||||
if len(s) == 1: # did not find one
|
||||
s = u.split('0.0.0.0') # IPv4 generic address
|
||||
if len(s) > 1: # found a generic
|
||||
return kwargs['proxy_host'].join(s) # fill in our address for the host
|
||||
return uri
|
||||
|
||||
# # # # # ----- the Class that defines a connection ----- # # # # #
|
||||
class Connection(object):
|
||||
# include connection attributes required by api definition.
|
||||
Warning = api.Warning
|
||||
Error = api.Error
|
||||
InterfaceError = api.InterfaceError
|
||||
DataError = api.DataError
|
||||
DatabaseError = api.DatabaseError
|
||||
OperationalError = api.OperationalError
|
||||
IntegrityError = api.IntegrityError
|
||||
InternalError = api.InternalError
|
||||
NotSupportedError = api.NotSupportedError
|
||||
ProgrammingError = api.ProgrammingError
|
||||
# set up some class attributes
|
||||
paramstyle = api.paramstyle
|
||||
|
||||
@property
|
||||
def dbapi(self): # a proposed db-api version 3 extension.
|
||||
"Return a reference to the DBAPI module for this Connection."
|
||||
return api
|
||||
|
||||
def __init__(self):
|
||||
self.proxy = None
|
||||
self.kwargs = {}
|
||||
self.errorhandler = None
|
||||
self.supportsTransactions = False
|
||||
self.paramstyle = api.paramstyle
|
||||
self.timeout = 30
|
||||
self.cursors = {}
|
||||
|
||||
def connect(self, kwargs, connection_maker):
|
||||
self.kwargs = kwargs
|
||||
if verbose:
|
||||
print('%s attempting: "%s"' % (version, repr(kwargs)))
|
||||
self.proxy = connection_maker
|
||||
##try:
|
||||
ret = self.proxy.connect(kwargs) # ask the server to hook us up
|
||||
##except ImportError, e: # Pyro is trying to import pywinTypes.comerrer
|
||||
## self._raiseConnectionError(api.DatabaseError, 'Proxy cannot connect using=%s' % repr(kwargs))
|
||||
if ret is not True:
|
||||
self._raiseConnectionError(api.OperationalError, 'Proxy returns error message=%s'%repr(ret))
|
||||
|
||||
self.supportsTransactions = self.getIndexedValue('supportsTransactions')
|
||||
self.paramstyle = self.getIndexedValue('paramstyle')
|
||||
self.timeout = self.getIndexedValue('timeout')
|
||||
if verbose:
|
||||
print('adodbapi.remote New connection at %X' % id(self))
|
||||
|
||||
def _raiseConnectionError(self, errorclass, errorvalue):
|
||||
eh = self.errorhandler
|
||||
if eh is None:
|
||||
eh = api.standardErrorHandler
|
||||
eh(self, None, errorclass, errorvalue)
|
||||
|
||||
|
||||
def close(self):
|
||||
"""Close the connection now (rather than whenever __del__ is called).
|
||||
|
||||
The connection will be unusable from this point forward;
|
||||
an Error (or subclass) exception will be raised if any operation is attempted with the connection.
|
||||
The same applies to all cursor objects trying to use the connection.
|
||||
"""
|
||||
for crsr in list(self.cursors.values())[:]: # copy the list, then close each one
|
||||
crsr.close()
|
||||
try:
|
||||
"""close the underlying remote Connection object"""
|
||||
self.proxy.close()
|
||||
if verbose:
|
||||
print('adodbapi.remote Closed connection at %X' % id(self))
|
||||
object.__delattr__(self, 'proxy') # future attempts to use closed cursor will be caught by __getattr__
|
||||
except Exception:
|
||||
pass
|
||||
|
||||
def __del__(self):
|
||||
try:
|
||||
self.proxy.close()
|
||||
except:
|
||||
pass
|
||||
|
||||
def commit(self):
|
||||
"""Commit any pending transaction to the database.
|
||||
|
||||
Note that if the database supports an auto-commit feature,
|
||||
this must be initially off. An interface method may be provided to turn it back on.
|
||||
Database modules that do not support transactions should implement this method with void functionality.
|
||||
"""
|
||||
if not self.supportsTransactions:
|
||||
return
|
||||
result = self.proxy.commit()
|
||||
if result:
|
||||
self._raiseConnectionError(api.OperationalError, 'Error during commit: %s' % result)
|
||||
|
||||
def _rollback(self):
|
||||
"""In case a database does provide transactions this method causes the the database to roll back to
|
||||
the start of any pending transaction. Closing a connection without committing the changes first will
|
||||
cause an implicit rollback to be performed.
|
||||
"""
|
||||
result = self.proxy.rollback()
|
||||
if result:
|
||||
self._raiseConnectionError(api.OperationalError, 'Error during rollback: %s' % result)
|
||||
|
||||
def __setattr__(self, name, value):
|
||||
if name in ('paramstyle', 'timeout', 'autocommit'):
|
||||
if self.proxy:
|
||||
self.proxy.send_attribute_to_host(name, value)
|
||||
object.__setattr__(self, name, value) # store attribute locally (too)
|
||||
|
||||
def __getattr__(self, item):
|
||||
if item == 'rollback': # the rollback method only appears if the database supports transactions
|
||||
if self.supportsTransactions:
|
||||
return self._rollback # return the rollback method so the caller can execute it.
|
||||
else:
|
||||
raise self.ProgrammingError ('this data provider does not support Rollback')
|
||||
elif item in ('dbms_name', 'dbms_version', 'connection_string', 'autocommit'): # 'messages' ):
|
||||
return self.getIndexedValue(item)
|
||||
elif item == 'proxy':
|
||||
raise self.ProgrammingError('Attempting to use closed connection')
|
||||
else:
|
||||
raise self.ProgrammingError('No remote access for attribute="%s"' % item)
|
||||
|
||||
def getIndexedValue(self, index):
|
||||
r = self.proxy.get_attribute_for_remote(index)
|
||||
return r
|
||||
|
||||
def cursor(self):
|
||||
"Return a new Cursor Object using the connection."
|
||||
myCursor = Cursor(self)
|
||||
return myCursor
|
||||
|
||||
def _i_am_here(self, crsr):
|
||||
"message from a new cursor proclaiming its existence"
|
||||
self.cursors[crsr.id] = crsr
|
||||
|
||||
def _i_am_closing(self, crsr):
|
||||
"message from a cursor giving connection a chance to clean up"
|
||||
try:
|
||||
del self.cursors[crsr.id]
|
||||
except:
|
||||
pass
|
||||
|
||||
def __enter__(self): # Connections are context managers
|
||||
return(self)
|
||||
|
||||
def __exit__(self, exc_type, exc_val, exc_tb):
|
||||
if exc_type:
|
||||
self._rollback() #automatic rollback on errors
|
||||
else:
|
||||
self.commit()
|
||||
|
||||
def get_table_names(self):
|
||||
return self.proxy.get_table_names()
|
||||
|
||||
def fixpickle(x):
|
||||
"""pickle barfs on buffer(x) so we pass as array.array(x) then restore to original form for .execute()"""
|
||||
if x is None:
|
||||
return None
|
||||
if isinstance(x, dict):
|
||||
# for 'named' paramstyle user will pass a mapping
|
||||
newargs = {}
|
||||
for arg,val in list(x.items()):
|
||||
if isinstance(val, memoryViewType):
|
||||
newval = array.array('B')
|
||||
newval.fromstring(val)
|
||||
newargs[arg] = newval
|
||||
else:
|
||||
newargs[arg] = val
|
||||
return newargs
|
||||
# if not a mapping, then a sequence
|
||||
newargs = []
|
||||
for arg in x:
|
||||
if isinstance(arg, memoryViewType):
|
||||
newarg = array.array('B')
|
||||
newarg.fromstring(arg)
|
||||
newargs.append(newarg)
|
||||
else:
|
||||
newargs.append(arg)
|
||||
return newargs
|
||||
|
||||
class Cursor(object):
|
||||
def __init__(self, connection):
|
||||
self.command = None
|
||||
self.errorhandler = None ## was: connection.errorhandler
|
||||
self.connection = connection
|
||||
self.proxy = self.connection.proxy
|
||||
self.rs = None # the fetchable data for this cursor
|
||||
self.converters = NotImplemented
|
||||
self.id = connection.proxy.build_cursor()
|
||||
connection._i_am_here(self)
|
||||
self.recordset_format = api.RS_REMOTE
|
||||
if verbose:
|
||||
print('%s New cursor at %X on conn %X' % (version, id(self), id(self.connection)))
|
||||
|
||||
def prepare(self, operation):
|
||||
self.command = operation
|
||||
try: del self.description
|
||||
except AttributeError: pass
|
||||
self.proxy.crsr_prepare(self.id, operation)
|
||||
|
||||
def __iter__(self): # [2.1 Zamarev]
|
||||
return iter(self.fetchone, None) # [2.1 Zamarev]
|
||||
|
||||
def __next__(self):
|
||||
r = self.fetchone()
|
||||
if r:
|
||||
return r
|
||||
raise StopIteration
|
||||
|
||||
def __enter__(self):
|
||||
"Allow database cursors to be used with context managers."
|
||||
return self
|
||||
|
||||
def __exit__(self, exc_type, exc_val, exc_tb):
|
||||
"Allow database cursors to be used with context managers."
|
||||
self.close()
|
||||
|
||||
def __getattr__(self, key):
|
||||
if key == 'numberOfColumns':
|
||||
try:
|
||||
return len(self.rs[0])
|
||||
except:
|
||||
return 0
|
||||
if key == 'description':
|
||||
try:
|
||||
self.description = self.proxy.crsr_get_description(self.id)[:]
|
||||
return self.description
|
||||
except TypeError:
|
||||
return None
|
||||
if key == 'columnNames':
|
||||
try:
|
||||
r = dict(self.proxy.crsr_get_columnNames(self.id)) # copy the remote columns
|
||||
|
||||
except TypeError:
|
||||
r = {}
|
||||
self.columnNames = r
|
||||
return r
|
||||
|
||||
if key == 'remote_cursor':
|
||||
raise api.OperationalError
|
||||
try:
|
||||
return self.proxy.crsr_get_attribute_for_remote(self.id, key)
|
||||
except AttributeError:
|
||||
raise api.InternalError ('Failure getting attribute "%s" from proxy cursor.' % key)
|
||||
|
||||
def __setattr__(self, key, value):
|
||||
if key == 'arraysize':
|
||||
self.proxy.crsr_set_arraysize(self.id, value)
|
||||
if key == 'paramstyle':
|
||||
if value in api.accepted_paramstyles:
|
||||
self.proxy.crsr_set_paramstyle(self.id, value)
|
||||
else:
|
||||
self._raiseCursorError(api.ProgrammingError, 'invalid paramstyle ="%s"' % value)
|
||||
object.__setattr__(self, key, value)
|
||||
|
||||
def _raiseCursorError(self, errorclass, errorvalue):
|
||||
eh = self.errorhandler
|
||||
if eh is None:
|
||||
eh = api.standardErrorHandler
|
||||
eh(self.connection, self, errorclass, errorvalue)
|
||||
|
||||
def execute(self, operation, parameters=None):
|
||||
if self.connection is None:
|
||||
self._raiseCursorError(ProgrammingError, 'Attempted operation on closed cursor')
|
||||
self.command = operation
|
||||
try: del self.description
|
||||
except AttributeError: pass
|
||||
try: del self.columnNames
|
||||
except AttributeError: pass
|
||||
fp = fixpickle(parameters)
|
||||
if verbose > 2:
|
||||
print(('%s executing "%s" with params=%s' % (version, operation, repr(parameters))))
|
||||
result = self.proxy.crsr_execute(self.id, operation, fp)
|
||||
if result: # an exception was triggered
|
||||
self._raiseCursorError(result[0], result[1])
|
||||
|
||||
def executemany(self, operation, seq_of_parameters):
|
||||
if self.connection is None:
|
||||
self._raiseCursorError(ProgrammingError, 'Attempted operation on closed cursor')
|
||||
self.command = operation
|
||||
try: del self.description
|
||||
except AttributeError: pass
|
||||
try: del self.columnNames
|
||||
except AttributeError: pass
|
||||
sq = [fixpickle(x) for x in seq_of_parameters]
|
||||
if verbose > 2:
|
||||
print(('%s executemany "%s" with params=%s' % (version, operation, repr(seq_of_parameters))))
|
||||
self.proxy.crsr_executemany(self.id, operation, sq)
|
||||
|
||||
def nextset(self):
|
||||
try: del self.description
|
||||
except AttributeError: pass
|
||||
try: del self.columnNames
|
||||
except AttributeError: pass
|
||||
if verbose > 2:
|
||||
print(('%s nextset' % version))
|
||||
return self.proxy.crsr_nextset(self.id)
|
||||
|
||||
def callproc(self, procname, parameters=None):
|
||||
if self.connection is None:
|
||||
self._raiseCursorError(ProgrammingError, 'Attempted operation on closed cursor')
|
||||
self.command = procname
|
||||
try: del self.description
|
||||
except AttributeError: pass
|
||||
try: del self.columnNames
|
||||
except AttributeError: pass
|
||||
fp = fixpickle(parameters)
|
||||
if verbose > 2:
|
||||
print(('%s callproc "%s" with params=%s' % (version, procname, repr(parameters))))
|
||||
return self.proxy.crsr_callproc(self.id, procname, fp)
|
||||
|
||||
def fetchone(self):
|
||||
try:
|
||||
f1 = self.proxy.crsr_fetchone(self.id)
|
||||
except _BaseException as e:
|
||||
self._raiseCursorError(api.DatabaseError, e)
|
||||
else:
|
||||
if f1 is None:
|
||||
return None
|
||||
self.rs = [f1]
|
||||
return api.SQLrows(self.rs, 1, self)[0] # new object to hold the results of the fetch
|
||||
|
||||
def fetchmany(self, size=None):
|
||||
try:
|
||||
self.rs = self.proxy.crsr_fetchmany(self.id, size)
|
||||
if not self.rs:
|
||||
return []
|
||||
r = api.SQLrows(self.rs, len(self.rs), self)
|
||||
return r
|
||||
except Exception as e:
|
||||
self._raiseCursorError(api.DatabaseError, e)
|
||||
|
||||
def fetchall(self):
|
||||
try:
|
||||
self.rs = self.proxy.crsr_fetchall(self.id)
|
||||
if not self.rs:
|
||||
return []
|
||||
return api.SQLrows(self.rs, len(self.rs), self)
|
||||
except Exception as e:
|
||||
self._raiseCursorError(api.DatabaseError, e)
|
||||
|
||||
def close(self):
|
||||
if self.connection is None:
|
||||
return
|
||||
self.connection._i_am_closing(self) # take me off the connection's cursors list
|
||||
try:
|
||||
self.proxy.crsr_close(self.id)
|
||||
except: pass
|
||||
try: del self.description
|
||||
except: pass
|
||||
try: del self.rs # let go of the recordset
|
||||
except: pass
|
||||
self.connection = None #this will make all future method calls on me throw an exception
|
||||
self.proxy = None
|
||||
if verbose:
|
||||
print('adodbapi.remote Closed cursor at %X' % id(self))
|
||||
|
||||
def __del__(self):
|
||||
try:
|
||||
self.close()
|
||||
except:
|
||||
pass
|
||||
|
||||
def setinputsizes(self,sizes):
|
||||
pass
|
||||
|
||||
def setoutputsize(self, size, column=None):
|
||||
pass
|
14
venv/Lib/site-packages/adodbapi/schema_table.py
Normal file
14
venv/Lib/site-packages/adodbapi/schema_table.py
Normal file
|
@ -0,0 +1,14 @@
|
|||
"""call using an open ADO connection --> list of table names"""
|
||||
from . import adodbapi
|
||||
|
||||
def names(connection_object):
|
||||
ado = connection_object.adoConn
|
||||
schema = ado.OpenSchema(20) # constant = adSchemaTables
|
||||
|
||||
tables = []
|
||||
while not schema.EOF:
|
||||
name = adodbapi.getIndexedValue(schema.Fields,'TABLE_NAME').Value
|
||||
tables.append(name)
|
||||
schema.MoveNext()
|
||||
del schema
|
||||
return tables
|
84
venv/Lib/site-packages/adodbapi/setup.py
Normal file
84
venv/Lib/site-packages/adodbapi/setup.py
Normal file
|
@ -0,0 +1,84 @@
|
|||
"""adodbapi -- a pure Python PEP 249 DB-API package using Microsoft ADO
|
||||
|
||||
Adodbapi can be run on CPython version 2.7,
|
||||
or IronPython version 2.6 and later,
|
||||
or Python 3.5 and later (after filtering through 2to3.py)
|
||||
"""
|
||||
CLASSIFIERS = """\
|
||||
Development Status :: 5 - Production/Stable
|
||||
Intended Audience :: Developers
|
||||
License :: OSI Approved :: GNU Library or Lesser General Public License (LGPL)
|
||||
Operating System :: Microsoft :: Windows
|
||||
Operating System :: POSIX :: Linux
|
||||
Programming Language :: Python
|
||||
Programming Language :: Python :: 3
|
||||
Programming Language :: SQL
|
||||
Topic :: Software Development
|
||||
Topic :: Software Development :: Libraries :: Python Modules
|
||||
Topic :: Database
|
||||
"""
|
||||
|
||||
NAME = 'adodbapi'
|
||||
MAINTAINER = "Vernon Cole"
|
||||
MAINTAINER_EMAIL = "vernondcole@gmail.com"
|
||||
DESCRIPTION = """A pure Python package implementing PEP 249 DB-API using Microsoft ADO."""
|
||||
URL = "http://sourceforge.net/projects/adodbapi"
|
||||
LICENSE = 'LGPL'
|
||||
CLASSIFIERS = filter(None, CLASSIFIERS.split('\n'))
|
||||
AUTHOR = "Henrik Ekelund, Vernon Cole, et.al."
|
||||
AUTHOR_EMAIL = "vernondcole@gmail.com"
|
||||
PLATFORMS = ["Windows","Linux"]
|
||||
|
||||
VERSION = None # in case searching for version fails
|
||||
a = open('adodbapi.py') # find the version string in the source code
|
||||
for line in a:
|
||||
if '__version__' in line:
|
||||
VERSION = line.split("'")[1]
|
||||
print(('adodbapi version="%s"' % VERSION))
|
||||
break
|
||||
a.close()
|
||||
|
||||
##DOWNLOAD_URL = "http://sourceforge.net/projects/adodbapi/files/adodbapi/" + VERSION.rsplit('.', 1)[0] + '/adodbapi-' + VERSION + '.zip'
|
||||
|
||||
import sys
|
||||
def setup_package():
|
||||
|
||||
from distutils.core import setup
|
||||
|
||||
if sys.version_info >= (3, 0):
|
||||
|
||||
try:
|
||||
from distutils.command.build_py import build_py_2to3 as build_py
|
||||
## # exclude fixers that break already compatible code
|
||||
## from lib2to3.refactor import get_fixers_from_package
|
||||
## fixers = get_fixers_from_package('lib2to3.fixes')
|
||||
## for skip_fixer in ['import']:
|
||||
## fixers.remove('lib2to3.fixes.fix_' + skip_fixer)
|
||||
## build_py.fixer_names = fixers
|
||||
except ImportError:
|
||||
raise ImportError("build_py_2to3 not found in distutils - it is required for Python 3.x")
|
||||
else:
|
||||
from distutils.command.build_py import build_py
|
||||
|
||||
setup(
|
||||
cmdclass = {'build_py': build_py},
|
||||
name=NAME,
|
||||
maintainer=MAINTAINER,
|
||||
maintainer_email=MAINTAINER_EMAIL,
|
||||
description=DESCRIPTION,
|
||||
url=URL,
|
||||
keywords='database ado odbc dbapi db-api Microsoft SQL',
|
||||
## download_url=DOWNLOAD_URL,
|
||||
long_description=open('README.txt').read(),
|
||||
license=LICENSE,
|
||||
classifiers=CLASSIFIERS,
|
||||
author=AUTHOR,
|
||||
author_email=AUTHOR_EMAIL,
|
||||
platforms=PLATFORMS,
|
||||
version=VERSION,
|
||||
package_dir = {'adodbapi':''},
|
||||
packages=['adodbapi'] )
|
||||
return
|
||||
|
||||
if __name__ == '__main__':
|
||||
setup_package()
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
1388
venv/Lib/site-packages/adodbapi/test/adodbapitest.py
Normal file
1388
venv/Lib/site-packages/adodbapi/test/adodbapitest.py
Normal file
File diff suppressed because it is too large
Load diff
177
venv/Lib/site-packages/adodbapi/test/adodbapitestconfig.py
Normal file
177
venv/Lib/site-packages/adodbapi/test/adodbapitestconfig.py
Normal file
|
@ -0,0 +1,177 @@
|
|||
# Configure this to _YOUR_ environment in order to run the testcases.
|
||||
"testADOdbapiConfig.py v 2.6.2.B00"
|
||||
|
||||
# # # # # # # # # # # # # # # # # # # # # # # # # # # # # # #
|
||||
# #
|
||||
# # TESTERS:
|
||||
# #
|
||||
# # You will need to make numerous modifications to this file
|
||||
# # to adapt it to your own testing environment.
|
||||
# #
|
||||
# # Skip down to the next "# #" line --
|
||||
# # -- the things you need to change are below it.
|
||||
# # # # # # # # # # # # # # # # # # # # # # # # # # # # # # #
|
||||
from __future__ import print_function
|
||||
import platform
|
||||
import sys
|
||||
import random
|
||||
|
||||
import is64bit
|
||||
import setuptestframework
|
||||
import tryconnection
|
||||
|
||||
print("\nPython", sys.version)
|
||||
node = platform.node()
|
||||
try: print('node=%s, is64bit.os()= %s, is64bit.Python()= %s' % (node, is64bit.os(), is64bit.Python()))
|
||||
except: pass
|
||||
|
||||
if '--help' in sys.argv:
|
||||
print("""Valid command-line switches are:
|
||||
--package - create a temporary test package, run 2to3 if needed.
|
||||
--all - run all possible tests
|
||||
--time - loop over time format tests (including mxdatetime if present)
|
||||
--nojet - do not test against an ACCESS database file
|
||||
--mssql - test against Microsoft SQL server
|
||||
--pg - test against PostgreSQL
|
||||
--mysql - test against MariaDB
|
||||
--remote= - test unsing remote server at= (experimental)
|
||||
""")
|
||||
exit()
|
||||
try:
|
||||
onWindows = bool(sys.getwindowsversion()) # seems to work on all versions of Python
|
||||
except:
|
||||
onWindows = False
|
||||
|
||||
# create a random name for temporary table names
|
||||
_alphabet = "PYFGCRLAOEUIDHTNSQJKXBMWVZ" # why, yes, I do happen to use a dvorak keyboard
|
||||
tmp = ''.join([random.choice(_alphabet) for x in range(9)])
|
||||
mdb_name = 'xx_' + tmp + '.mdb' # generate a non-colliding name for the temporary .mdb
|
||||
testfolder = setuptestframework.maketemp()
|
||||
|
||||
if '--package' in sys.argv:
|
||||
# create a new adodbapi module -- running 2to3 if needed.
|
||||
pth = setuptestframework.makeadopackage(testfolder)
|
||||
else:
|
||||
# use the adodbapi module in which this file appears
|
||||
pth = setuptestframework.find_ado_path()
|
||||
if pth not in sys.path:
|
||||
# look here _first_ to find modules
|
||||
sys.path.insert(1,pth)
|
||||
|
||||
proxy_host = None
|
||||
for arg in sys.argv:
|
||||
if arg.startswith('--remote='):
|
||||
proxy_host = arg.split("=")[1]
|
||||
import adodbapi.remote as remote
|
||||
break
|
||||
|
||||
|
||||
# function to clean up the temporary folder -- calling program must run this function before exit.
|
||||
cleanup = setuptestframework.getcleanupfunction()
|
||||
try:
|
||||
import adodbapi # will (hopefully) be imported using the "pth" discovered above
|
||||
except SyntaxError:
|
||||
print('\n* * * Are you trying to run Python2 code using Python3? Re-run this test using the "--package" switch.')
|
||||
sys.exit(11)
|
||||
try:
|
||||
print(adodbapi.version) # show version
|
||||
except:
|
||||
print('"adodbapi.version" not present or not working.')
|
||||
print(__doc__)
|
||||
|
||||
verbose = False
|
||||
for a in sys.argv:
|
||||
if a.startswith('--verbose'):
|
||||
arg = True
|
||||
try: arg = int(a.split("=")[1])
|
||||
except IndexError: pass
|
||||
adodbapi.adodbapi.verbose = arg
|
||||
verbose = arg
|
||||
|
||||
doAllTests = '--all' in sys.argv
|
||||
doAccessTest = not ('--nojet' in sys.argv)
|
||||
doSqlServerTest = '--mssql' in sys.argv or doAllTests
|
||||
doMySqlTest = '--mysql' in sys.argv or doAllTests
|
||||
doPostgresTest = '--pg' in sys.argv or doAllTests
|
||||
iterateOverTimeTests = ('--time' in sys.argv or doAllTests) and onWindows
|
||||
|
||||
# # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # #
|
||||
# # start your environment setup here v v v
|
||||
SQL_HOST_NODE = 'testsql.2txt.us,1430'
|
||||
|
||||
try: #If mx extensions are installed, use mxDateTime
|
||||
import mx.DateTime
|
||||
doMxDateTimeTest=True
|
||||
except:
|
||||
doMxDateTimeTest=False #Requires eGenixMXExtensions
|
||||
|
||||
doTimeTest = True # obsolete python time format
|
||||
|
||||
if doAccessTest:
|
||||
if proxy_host: # determine the (probably remote) database file folder
|
||||
c = {'macro_find_temp_test_path': ['mdb', mdb_name],
|
||||
'proxy_host': proxy_host }
|
||||
else:
|
||||
c = {'mdb': setuptestframework.makemdb(testfolder, mdb_name)}
|
||||
|
||||
# macro definition for keyword "provider" using macro "is64bit" -- see documentation
|
||||
# is64bit will return true for 64 bit versions of Python, so the macro will select the ACE provider
|
||||
# (If running a remote ADO service, this will test the 64-bitedness of the ADO server.)
|
||||
c['macro_is64bit'] = ['provider',
|
||||
"Microsoft.ACE.OLEDB.12.0", # 64 bit provider
|
||||
"Microsoft.Jet.OLEDB.4.0"] # 32 bit provider
|
||||
connStrAccess = "Provider=%(provider)s;Data Source=%(mdb)s" # ;Mode=ReadWrite;Persist Security Info=False;Jet OLEDB:Bypass UserInfo Validation=True"
|
||||
print(' ...Testing ACCESS connection to {} file...'.format(c.get('mdb', 'remote .mdb')))
|
||||
doAccessTest, connStrAccess, dbAccessconnect = tryconnection.try_connection(verbose, connStrAccess, 10, **c)
|
||||
|
||||
if doSqlServerTest:
|
||||
c = {'host': SQL_HOST_NODE, # name of computer with SQL Server
|
||||
'database': "adotest",
|
||||
'user' : 'adotestuser', # None implies Windows security
|
||||
'password' : "Sq1234567",
|
||||
# macro definition for keyword "security" using macro "auto_security"
|
||||
'macro_auto_security' : 'security',
|
||||
'provider' : 'MSOLEDBSQL; MARS Connection=True'
|
||||
}
|
||||
if proxy_host:
|
||||
c['proxy_host'] = proxy_host
|
||||
connStr = "Provider=%(provider)s; Initial Catalog=%(database)s; Data Source=%(host)s; %(security)s;"
|
||||
print(' ...Testing MS-SQL login to {}...'.format(c['host']))
|
||||
doSqlServerTest, connStrSQLServer, dbSqlServerconnect = tryconnection.try_connection(verbose, connStr, 30, **c)
|
||||
|
||||
if doMySqlTest:
|
||||
c = {'host' : "testmysql.2txt.us",
|
||||
'database' : 'adodbapitest',
|
||||
'user' : 'adotest',
|
||||
'password' : '12345678',
|
||||
'port' : '3330', # note the nonstandard port for obfuscation
|
||||
'driver' : "MySQL ODBC 5.1 Driver"} # or _driver="MySQL ODBC 3.51 Driver
|
||||
if proxy_host:
|
||||
c['proxy_host'] = proxy_host
|
||||
c['macro_is64bit'] = ['provider', 'Provider=MSDASQL;'] # turn on the 64 bit ODBC adapter only if needed
|
||||
cs = '%(provider)sDriver={%(driver)s};Server=%(host)s;Port=3330;' + \
|
||||
'Database=%(database)s;user=%(user)s;password=%(password)s;Option=3;'
|
||||
print(' ...Testing MySql login to {}...'.format(c['host']))
|
||||
doMySqlTest, connStrMySql, dbMySqlconnect = tryconnection.try_connection(verbose, cs, 5, **c)
|
||||
|
||||
|
||||
|
||||
if doPostgresTest:
|
||||
_computername = "testpg.2txt.us"
|
||||
_databasename='adotest'
|
||||
_username = 'adotestuser'
|
||||
_password = '12345678'
|
||||
kws = {'timeout': 4}
|
||||
kws['macro_is64bit'] = ['prov_drv',
|
||||
'Provider=MSDASQL;Driver={PostgreSQL Unicode(x64)}',
|
||||
'Driver=PostgreSQL Unicode']
|
||||
# get driver from http://www.postgresql.org/ftp/odbc/versions/
|
||||
# test using positional and keyword arguments (bad example for real code)
|
||||
if proxy_host:
|
||||
kws['proxy_host'] = proxy_host
|
||||
print(' ...Testing PostgreSQL login to {}...'.format(_computername))
|
||||
doPostgresTest, connStrPostgres, dbPostgresConnect = tryconnection.try_connection(verbose,
|
||||
'%(prov_drv)s;Server=%(host)s;Database=%(database)s;uid=%(user)s;pwd=%(password)s;port=5430;', # note nonstandard port
|
||||
_username, _password, _computername, _databasename, **kws)
|
||||
|
||||
assert doAccessTest or doSqlServerTest or doMySqlTest or doPostgresTest, 'No database engine found for testing'
|
904
venv/Lib/site-packages/adodbapi/test/dbapi20.py
Normal file
904
venv/Lib/site-packages/adodbapi/test/dbapi20.py
Normal file
|
@ -0,0 +1,904 @@
|
|||
#!/usr/bin/env python
|
||||
''' Python DB API 2.0 driver compliance unit test suite.
|
||||
|
||||
This software is Public Domain and may be used without restrictions.
|
||||
|
||||
"Now we have booze and barflies entering the discussion, plus rumours of
|
||||
DBAs on drugs... and I won't tell you what flashes through my mind each
|
||||
time I read the subject line with 'Anal Compliance' in it. All around
|
||||
this is turning out to be a thoroughly unwholesome unit test."
|
||||
|
||||
-- Ian Bicking
|
||||
'''
|
||||
|
||||
__version__ = '$Revision: 1.15.0 $'[11:-2]
|
||||
__author__ = 'Stuart Bishop <stuart@stuartbishop.net>'
|
||||
|
||||
import unittest
|
||||
import time
|
||||
import sys
|
||||
|
||||
if sys.version[0] >= '3': #python 3.x
|
||||
_BaseException = Exception
|
||||
def _failUnless(self, expr, msg=None):
|
||||
self.assertTrue(expr, msg)
|
||||
else: #python 2.x
|
||||
from exceptions import Exception as _BaseException
|
||||
def _failUnless(self, expr, msg=None):
|
||||
self.failUnless(expr, msg) ## deprecated since Python 2.6
|
||||
|
||||
# set this to "True" to follow API 2.0 to the letter
|
||||
TEST_FOR_NON_IDEMPOTENT_CLOSE = False
|
||||
|
||||
# Revision 1.15 2019/11/22 00:50:00 kf7xm
|
||||
# Make Turn off IDEMPOTENT_CLOSE a proper skipTest
|
||||
|
||||
# Revision 1.14 2013/05/20 11:02:05 kf7xm
|
||||
# Add a literal string to the format insertion test to catch trivial re-format algorithms
|
||||
|
||||
# Revision 1.13 2013/05/08 14:31:50 kf7xm
|
||||
# Quick switch to Turn off IDEMPOTENT_CLOSE test. Also: Silence teardown failure
|
||||
|
||||
# Revision 1.12 2009/02/06 03:35:11 kf7xm
|
||||
# Tested okay with Python 3.0, includes last minute patches from Mark H.
|
||||
#
|
||||
# Revision 1.1.1.1.2.1 2008/09/20 19:54:59 rupole
|
||||
# Include latest changes from main branch
|
||||
# Updates for py3k
|
||||
#
|
||||
# Revision 1.11 2005/01/02 02:41:01 zenzen
|
||||
# Update author email address
|
||||
#
|
||||
# Revision 1.10 2003/10/09 03:14:14 zenzen
|
||||
# Add test for DB API 2.0 optional extension, where database exceptions
|
||||
# are exposed as attributes on the Connection object.
|
||||
#
|
||||
# Revision 1.9 2003/08/13 01:16:36 zenzen
|
||||
# Minor tweak from Stefan Fleiter
|
||||
#
|
||||
# Revision 1.8 2003/04/10 00:13:25 zenzen
|
||||
# Changes, as per suggestions by M.-A. Lemburg
|
||||
# - Add a table prefix, to ensure namespace collisions can always be avoided
|
||||
#
|
||||
# Revision 1.7 2003/02/26 23:33:37 zenzen
|
||||
# Break out DDL into helper functions, as per request by David Rushby
|
||||
#
|
||||
# Revision 1.6 2003/02/21 03:04:33 zenzen
|
||||
# Stuff from Henrik Ekelund:
|
||||
# added test_None
|
||||
# added test_nextset & hooks
|
||||
#
|
||||
# Revision 1.5 2003/02/17 22:08:43 zenzen
|
||||
# Implement suggestions and code from Henrik Eklund - test that cursor.arraysize
|
||||
# defaults to 1 & generic cursor.callproc test added
|
||||
#
|
||||
# Revision 1.4 2003/02/15 00:16:33 zenzen
|
||||
# Changes, as per suggestions and bug reports by M.-A. Lemburg,
|
||||
# Matthew T. Kromer, Federico Di Gregorio and Daniel Dittmar
|
||||
# - Class renamed
|
||||
# - Now a subclass of TestCase, to avoid requiring the driver stub
|
||||
# to use multiple inheritance
|
||||
# - Reversed the polarity of buggy test in test_description
|
||||
# - Test exception heirarchy correctly
|
||||
# - self.populate is now self._populate(), so if a driver stub
|
||||
# overrides self.ddl1 this change propogates
|
||||
# - VARCHAR columns now have a width, which will hopefully make the
|
||||
# DDL even more portible (this will be reversed if it causes more problems)
|
||||
# - cursor.rowcount being checked after various execute and fetchXXX methods
|
||||
# - Check for fetchall and fetchmany returning empty lists after results
|
||||
# are exhausted (already checking for empty lists if select retrieved
|
||||
# nothing
|
||||
# - Fix bugs in test_setoutputsize_basic and test_setinputsizes
|
||||
#
|
||||
def str2bytes(sval):
|
||||
if sys.version_info < (3,0) and isinstance(sval, str):
|
||||
sval = sval.decode("latin1")
|
||||
return sval.encode("latin1") #python 3 make unicode into bytes
|
||||
|
||||
class DatabaseAPI20Test(unittest.TestCase):
|
||||
''' Test a database self.driver for DB API 2.0 compatibility.
|
||||
This implementation tests Gadfly, but the TestCase
|
||||
is structured so that other self.drivers can subclass this
|
||||
test case to ensure compiliance with the DB-API. It is
|
||||
expected that this TestCase may be expanded in the future
|
||||
if ambiguities or edge conditions are discovered.
|
||||
|
||||
The 'Optional Extensions' are not yet being tested.
|
||||
|
||||
self.drivers should subclass this test, overriding setUp, tearDown,
|
||||
self.driver, connect_args and connect_kw_args. Class specification
|
||||
should be as follows:
|
||||
|
||||
import dbapi20
|
||||
class mytest(dbapi20.DatabaseAPI20Test):
|
||||
[...]
|
||||
|
||||
Don't 'import DatabaseAPI20Test from dbapi20', or you will
|
||||
confuse the unit tester - just 'import dbapi20'.
|
||||
'''
|
||||
|
||||
# The self.driver module. This should be the module where the 'connect'
|
||||
# method is to be found
|
||||
driver = None
|
||||
connect_args = () # List of arguments to pass to connect
|
||||
connect_kw_args = {} # Keyword arguments for connect
|
||||
table_prefix = 'dbapi20test_' # If you need to specify a prefix for tables
|
||||
|
||||
ddl1 = 'create table %sbooze (name varchar(20))' % table_prefix
|
||||
ddl2 = 'create table %sbarflys (name varchar(20), drink varchar(30))' % table_prefix
|
||||
xddl1 = 'drop table %sbooze' % table_prefix
|
||||
xddl2 = 'drop table %sbarflys' % table_prefix
|
||||
|
||||
lowerfunc = 'lower' # Name of stored procedure to convert string->lowercase
|
||||
|
||||
# Some drivers may need to override these helpers, for example adding
|
||||
# a 'commit' after the execute.
|
||||
def executeDDL1(self,cursor):
|
||||
cursor.execute(self.ddl1)
|
||||
|
||||
def executeDDL2(self,cursor):
|
||||
cursor.execute(self.ddl2)
|
||||
|
||||
def setUp(self):
|
||||
''' self.drivers should override this method to perform required setup
|
||||
if any is necessary, such as creating the database.
|
||||
'''
|
||||
pass
|
||||
|
||||
def tearDown(self):
|
||||
''' self.drivers should override this method to perform required cleanup
|
||||
if any is necessary, such as deleting the test database.
|
||||
The default drops the tables that may be created.
|
||||
'''
|
||||
try:
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
for ddl in (self.xddl1,self.xddl2):
|
||||
try:
|
||||
cur.execute(ddl)
|
||||
con.commit()
|
||||
except self.driver.Error:
|
||||
# Assume table didn't exist. Other tests will check if
|
||||
# execute is busted.
|
||||
pass
|
||||
finally:
|
||||
con.close()
|
||||
except _BaseException:
|
||||
pass
|
||||
|
||||
def _connect(self):
|
||||
try:
|
||||
r = self.driver.connect(
|
||||
*self.connect_args,**self.connect_kw_args
|
||||
)
|
||||
except AttributeError:
|
||||
self.fail("No connect method found in self.driver module")
|
||||
return r
|
||||
|
||||
def test_connect(self):
|
||||
con = self._connect()
|
||||
con.close()
|
||||
|
||||
def test_apilevel(self):
|
||||
try:
|
||||
# Must exist
|
||||
apilevel = self.driver.apilevel
|
||||
# Must equal 2.0
|
||||
self.assertEqual(apilevel,'2.0')
|
||||
except AttributeError:
|
||||
self.fail("Driver doesn't define apilevel")
|
||||
|
||||
def test_threadsafety(self):
|
||||
try:
|
||||
# Must exist
|
||||
threadsafety = self.driver.threadsafety
|
||||
# Must be a valid value
|
||||
_failUnless(self, threadsafety in (0,1,2,3))
|
||||
except AttributeError:
|
||||
self.fail("Driver doesn't define threadsafety")
|
||||
|
||||
def test_paramstyle(self):
|
||||
try:
|
||||
# Must exist
|
||||
paramstyle = self.driver.paramstyle
|
||||
# Must be a valid value
|
||||
_failUnless(self, paramstyle in (
|
||||
'qmark','numeric','named','format','pyformat'
|
||||
))
|
||||
except AttributeError:
|
||||
self.fail("Driver doesn't define paramstyle")
|
||||
|
||||
def test_Exceptions(self):
|
||||
# Make sure required exceptions exist, and are in the
|
||||
# defined heirarchy.
|
||||
if sys.version[0] == '3': #under Python 3 StardardError no longer exists
|
||||
self.assertTrue(issubclass(self.driver.Warning,Exception))
|
||||
self.assertTrue(issubclass(self.driver.Error,Exception))
|
||||
else:
|
||||
self.failUnless(issubclass(self.driver.Warning,Exception))
|
||||
self.failUnless(issubclass(self.driver.Error,Exception))
|
||||
|
||||
_failUnless(self,
|
||||
issubclass(self.driver.InterfaceError,self.driver.Error)
|
||||
)
|
||||
_failUnless(self,
|
||||
issubclass(self.driver.DatabaseError,self.driver.Error)
|
||||
)
|
||||
_failUnless(self,
|
||||
issubclass(self.driver.OperationalError,self.driver.Error)
|
||||
)
|
||||
_failUnless(self,
|
||||
issubclass(self.driver.IntegrityError,self.driver.Error)
|
||||
)
|
||||
_failUnless(self,
|
||||
issubclass(self.driver.InternalError,self.driver.Error)
|
||||
)
|
||||
_failUnless(self,
|
||||
issubclass(self.driver.ProgrammingError,self.driver.Error)
|
||||
)
|
||||
_failUnless(self,
|
||||
issubclass(self.driver.NotSupportedError,self.driver.Error)
|
||||
)
|
||||
|
||||
def test_ExceptionsAsConnectionAttributes(self):
|
||||
# OPTIONAL EXTENSION
|
||||
# Test for the optional DB API 2.0 extension, where the exceptions
|
||||
# are exposed as attributes on the Connection object
|
||||
# I figure this optional extension will be implemented by any
|
||||
# driver author who is using this test suite, so it is enabled
|
||||
# by default.
|
||||
con = self._connect()
|
||||
drv = self.driver
|
||||
_failUnless(self,con.Warning is drv.Warning)
|
||||
_failUnless(self,con.Error is drv.Error)
|
||||
_failUnless(self,con.InterfaceError is drv.InterfaceError)
|
||||
_failUnless(self,con.DatabaseError is drv.DatabaseError)
|
||||
_failUnless(self,con.OperationalError is drv.OperationalError)
|
||||
_failUnless(self,con.IntegrityError is drv.IntegrityError)
|
||||
_failUnless(self,con.InternalError is drv.InternalError)
|
||||
_failUnless(self,con.ProgrammingError is drv.ProgrammingError)
|
||||
_failUnless(self,con.NotSupportedError is drv.NotSupportedError)
|
||||
|
||||
|
||||
def test_commit(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
# Commit must work, even if it doesn't do anything
|
||||
con.commit()
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_rollback(self):
|
||||
con = self._connect()
|
||||
# If rollback is defined, it should either work or throw
|
||||
# the documented exception
|
||||
if hasattr(con,'rollback'):
|
||||
try:
|
||||
con.rollback()
|
||||
except self.driver.NotSupportedError:
|
||||
pass
|
||||
|
||||
def test_cursor(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_cursor_isolation(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
# Make sure cursors created from the same connection have
|
||||
# the documented transaction isolation level
|
||||
cur1 = con.cursor()
|
||||
cur2 = con.cursor()
|
||||
self.executeDDL1(cur1)
|
||||
cur1.execute("insert into %sbooze values ('Victoria Bitter')" % (
|
||||
self.table_prefix
|
||||
))
|
||||
cur2.execute("select name from %sbooze" % self.table_prefix)
|
||||
booze = cur2.fetchall()
|
||||
self.assertEqual(len(booze),1)
|
||||
self.assertEqual(len(booze[0]),1)
|
||||
self.assertEqual(booze[0][0],'Victoria Bitter')
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_description(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
self.executeDDL1(cur)
|
||||
self.assertEqual(cur.description,None,
|
||||
'cursor.description should be none after executing a '
|
||||
'statement that can return no rows (such as DDL)'
|
||||
)
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
self.assertEqual(len(cur.description),1,
|
||||
'cursor.description describes too many columns'
|
||||
)
|
||||
self.assertEqual(len(cur.description[0]),7,
|
||||
'cursor.description[x] tuples must have 7 elements'
|
||||
)
|
||||
self.assertEqual(cur.description[0][0].lower(),'name',
|
||||
'cursor.description[x][0] must return column name'
|
||||
)
|
||||
self.assertEqual(cur.description[0][1],self.driver.STRING,
|
||||
'cursor.description[x][1] must return column type. Got %r'
|
||||
% cur.description[0][1]
|
||||
)
|
||||
|
||||
# Make sure self.description gets reset
|
||||
self.executeDDL2(cur)
|
||||
self.assertEqual(cur.description,None,
|
||||
'cursor.description not being set to None when executing '
|
||||
'no-result statements (eg. DDL)'
|
||||
)
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_rowcount(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
self.executeDDL1(cur)
|
||||
_failUnless(self,cur.rowcount in (-1,0), # Bug #543885
|
||||
'cursor.rowcount should be -1 or 0 after executing no-result '
|
||||
'statements'
|
||||
)
|
||||
cur.execute("insert into %sbooze values ('Victoria Bitter')" % (
|
||||
self.table_prefix
|
||||
))
|
||||
_failUnless(self,cur.rowcount in (-1,1),
|
||||
'cursor.rowcount should == number or rows inserted, or '
|
||||
'set to -1 after executing an insert statement'
|
||||
)
|
||||
cur.execute("select name from %sbooze" % self.table_prefix)
|
||||
_failUnless(self,cur.rowcount in (-1,1),
|
||||
'cursor.rowcount should == number of rows returned, or '
|
||||
'set to -1 after executing a select statement'
|
||||
)
|
||||
self.executeDDL2(cur)
|
||||
self.assertEqual(cur.rowcount,-1,
|
||||
'cursor.rowcount not being reset to -1 after executing '
|
||||
'no-result statements'
|
||||
)
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
lower_func = 'lower'
|
||||
def test_callproc(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
if self.lower_func and hasattr(cur,'callproc'):
|
||||
r = cur.callproc(self.lower_func,('FOO',))
|
||||
self.assertEqual(len(r),1)
|
||||
self.assertEqual(r[0],'FOO')
|
||||
r = cur.fetchall()
|
||||
self.assertEqual(len(r),1,'callproc produced no result set')
|
||||
self.assertEqual(len(r[0]),1,
|
||||
'callproc produced invalid result set'
|
||||
)
|
||||
self.assertEqual(r[0][0],'foo',
|
||||
'callproc produced invalid results'
|
||||
)
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_close(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
# cursor.execute should raise an Error if called after connection
|
||||
# closed
|
||||
self.assertRaises(self.driver.Error,self.executeDDL1,cur)
|
||||
|
||||
# connection.commit should raise an Error if called after connection'
|
||||
# closed.'
|
||||
self.assertRaises(self.driver.Error,con.commit)
|
||||
|
||||
# connection.close should raise an Error if called more than once
|
||||
#!!! reasonable persons differ about the usefulness of this test and this feature !!!
|
||||
if TEST_FOR_NON_IDEMPOTENT_CLOSE:
|
||||
self.assertRaises(self.driver.Error, con.close)
|
||||
else:
|
||||
self.skipTest("Non-idempotent close is considered a bad thing by some people.")
|
||||
|
||||
def test_execute(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
self._paraminsert(cur)
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def _paraminsert(self,cur):
|
||||
self.executeDDL2(cur)
|
||||
cur.execute("insert into %sbarflys values ('Victoria Bitter', 'thi%%s :may ca%%(u)se? troub:1e')" % (
|
||||
self.table_prefix
|
||||
))
|
||||
_failUnless(self,cur.rowcount in (-1,1))
|
||||
|
||||
if self.driver.paramstyle == 'qmark':
|
||||
cur.execute(
|
||||
"insert into %sbarflys values (?, 'thi%%s :may ca%%(u)se? troub:1e')" % self.table_prefix,
|
||||
("Cooper's",)
|
||||
)
|
||||
elif self.driver.paramstyle == 'numeric':
|
||||
cur.execute(
|
||||
"insert into %sbarflys values (:1, 'thi%%s :may ca%%(u)se? troub:1e')" % self.table_prefix,
|
||||
("Cooper's",)
|
||||
)
|
||||
elif self.driver.paramstyle == 'named':
|
||||
cur.execute(
|
||||
"insert into %sbarflys values (:beer, 'thi%%s :may ca%%(u)se? troub:1e')" % self.table_prefix,
|
||||
{'beer':"Cooper's"}
|
||||
)
|
||||
elif self.driver.paramstyle == 'format':
|
||||
cur.execute(
|
||||
"insert into %sbarflys values (%%s, 'thi%%s :may ca%%(u)se? troub:1e')" % self.table_prefix,
|
||||
("Cooper's",)
|
||||
)
|
||||
elif self.driver.paramstyle == 'pyformat':
|
||||
cur.execute(
|
||||
"insert into %sbarflys values (%%(beer)s, 'thi%%s :may ca%%(u)se? troub:1e')" % self.table_prefix,
|
||||
{'beer':"Cooper's"}
|
||||
)
|
||||
else:
|
||||
self.fail('Invalid paramstyle')
|
||||
_failUnless(self,cur.rowcount in (-1,1))
|
||||
|
||||
cur.execute('select name, drink from %sbarflys' % self.table_prefix)
|
||||
res = cur.fetchall()
|
||||
self.assertEqual(len(res),2,'cursor.fetchall returned too few rows')
|
||||
beers = [res[0][0],res[1][0]]
|
||||
beers.sort()
|
||||
self.assertEqual(beers[0],"Cooper's",
|
||||
'cursor.fetchall retrieved incorrect data, or data inserted '
|
||||
'incorrectly'
|
||||
)
|
||||
self.assertEqual(beers[1],"Victoria Bitter",
|
||||
'cursor.fetchall retrieved incorrect data, or data inserted '
|
||||
'incorrectly'
|
||||
)
|
||||
trouble = "thi%s :may ca%(u)se? troub:1e"
|
||||
self.assertEqual(res[0][1], trouble,
|
||||
'cursor.fetchall retrieved incorrect data, or data inserted '
|
||||
'incorrectly. Got=%s, Expected=%s' % (repr(res[0][1]), repr(trouble)))
|
||||
self.assertEqual(res[1][1], trouble,
|
||||
'cursor.fetchall retrieved incorrect data, or data inserted '
|
||||
'incorrectly. Got=%s, Expected=%s' % (repr(res[1][1]), repr(trouble)
|
||||
))
|
||||
|
||||
def test_executemany(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
self.executeDDL1(cur)
|
||||
largs = [ ("Cooper's",) , ("Boag's",) ]
|
||||
margs = [ {'beer': "Cooper's"}, {'beer': "Boag's"} ]
|
||||
if self.driver.paramstyle == 'qmark':
|
||||
cur.executemany(
|
||||
'insert into %sbooze values (?)' % self.table_prefix,
|
||||
largs
|
||||
)
|
||||
elif self.driver.paramstyle == 'numeric':
|
||||
cur.executemany(
|
||||
'insert into %sbooze values (:1)' % self.table_prefix,
|
||||
largs
|
||||
)
|
||||
elif self.driver.paramstyle == 'named':
|
||||
cur.executemany(
|
||||
'insert into %sbooze values (:beer)' % self.table_prefix,
|
||||
margs
|
||||
)
|
||||
elif self.driver.paramstyle == 'format':
|
||||
cur.executemany(
|
||||
'insert into %sbooze values (%%s)' % self.table_prefix,
|
||||
largs
|
||||
)
|
||||
elif self.driver.paramstyle == 'pyformat':
|
||||
cur.executemany(
|
||||
'insert into %sbooze values (%%(beer)s)' % (
|
||||
self.table_prefix
|
||||
),
|
||||
margs
|
||||
)
|
||||
else:
|
||||
self.fail('Unknown paramstyle')
|
||||
_failUnless(self,cur.rowcount in (-1,2),
|
||||
'insert using cursor.executemany set cursor.rowcount to '
|
||||
'incorrect value %r' % cur.rowcount
|
||||
)
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
res = cur.fetchall()
|
||||
self.assertEqual(len(res),2,
|
||||
'cursor.fetchall retrieved incorrect number of rows'
|
||||
)
|
||||
beers = [res[0][0],res[1][0]]
|
||||
beers.sort()
|
||||
self.assertEqual(beers[0],"Boag's",'incorrect data "%s" retrieved' % beers[0])
|
||||
self.assertEqual(beers[1],"Cooper's",'incorrect data retrieved')
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_fetchone(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
|
||||
# cursor.fetchone should raise an Error if called before
|
||||
# executing a select-type query
|
||||
self.assertRaises(self.driver.Error,cur.fetchone)
|
||||
|
||||
# cursor.fetchone should raise an Error if called after
|
||||
# executing a query that cannnot return rows
|
||||
self.executeDDL1(cur)
|
||||
self.assertRaises(self.driver.Error,cur.fetchone)
|
||||
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
self.assertEqual(cur.fetchone(),None,
|
||||
'cursor.fetchone should return None if a query retrieves '
|
||||
'no rows'
|
||||
)
|
||||
_failUnless(self,cur.rowcount in (-1,0))
|
||||
|
||||
# cursor.fetchone should raise an Error if called after
|
||||
# executing a query that cannnot return rows
|
||||
cur.execute("insert into %sbooze values ('Victoria Bitter')" % (
|
||||
self.table_prefix
|
||||
))
|
||||
self.assertRaises(self.driver.Error,cur.fetchone)
|
||||
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
r = cur.fetchone()
|
||||
self.assertEqual(len(r),1,
|
||||
'cursor.fetchone should have retrieved a single row'
|
||||
)
|
||||
self.assertEqual(r[0],'Victoria Bitter',
|
||||
'cursor.fetchone retrieved incorrect data'
|
||||
)
|
||||
self.assertEqual(cur.fetchone(),None,
|
||||
'cursor.fetchone should return None if no more rows available'
|
||||
)
|
||||
_failUnless(self,cur.rowcount in (-1,1))
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
samples = [
|
||||
'Carlton Cold',
|
||||
'Carlton Draft',
|
||||
'Mountain Goat',
|
||||
'Redback',
|
||||
'Victoria Bitter',
|
||||
'XXXX'
|
||||
]
|
||||
|
||||
def _populate(self):
|
||||
''' Return a list of sql commands to setup the DB for the fetch
|
||||
tests.
|
||||
'''
|
||||
populate = [
|
||||
"insert into %sbooze values ('%s')" % (self.table_prefix,s)
|
||||
for s in self.samples
|
||||
]
|
||||
return populate
|
||||
|
||||
def test_fetchmany(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
|
||||
# cursor.fetchmany should raise an Error if called without
|
||||
#issuing a query
|
||||
self.assertRaises(self.driver.Error,cur.fetchmany,4)
|
||||
|
||||
self.executeDDL1(cur)
|
||||
for sql in self._populate():
|
||||
cur.execute(sql)
|
||||
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
r = cur.fetchmany()
|
||||
self.assertEqual(len(r),1,
|
||||
'cursor.fetchmany retrieved incorrect number of rows, '
|
||||
'default of arraysize is one.'
|
||||
)
|
||||
cur.arraysize=10
|
||||
r = cur.fetchmany(3) # Should get 3 rows
|
||||
self.assertEqual(len(r),3,
|
||||
'cursor.fetchmany retrieved incorrect number of rows'
|
||||
)
|
||||
r = cur.fetchmany(4) # Should get 2 more
|
||||
self.assertEqual(len(r),2,
|
||||
'cursor.fetchmany retrieved incorrect number of rows'
|
||||
)
|
||||
r = cur.fetchmany(4) # Should be an empty sequence
|
||||
self.assertEqual(len(r),0,
|
||||
'cursor.fetchmany should return an empty sequence after '
|
||||
'results are exhausted'
|
||||
)
|
||||
_failUnless(self,cur.rowcount in (-1,6))
|
||||
|
||||
# Same as above, using cursor.arraysize
|
||||
cur.arraysize=4
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
r = cur.fetchmany() # Should get 4 rows
|
||||
self.assertEqual(len(r),4,
|
||||
'cursor.arraysize not being honoured by fetchmany'
|
||||
)
|
||||
r = cur.fetchmany() # Should get 2 more
|
||||
self.assertEqual(len(r),2)
|
||||
r = cur.fetchmany() # Should be an empty sequence
|
||||
self.assertEqual(len(r),0)
|
||||
_failUnless(self,cur.rowcount in (-1,6))
|
||||
|
||||
cur.arraysize=6
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
rows = cur.fetchmany() # Should get all rows
|
||||
_failUnless(self,cur.rowcount in (-1,6))
|
||||
self.assertEqual(len(rows),6)
|
||||
self.assertEqual(len(rows),6)
|
||||
rows = [r[0] for r in rows]
|
||||
rows.sort()
|
||||
|
||||
# Make sure we get the right data back out
|
||||
for i in range(0,6):
|
||||
self.assertEqual(rows[i],self.samples[i],
|
||||
'incorrect data retrieved by cursor.fetchmany'
|
||||
)
|
||||
|
||||
rows = cur.fetchmany() # Should return an empty list
|
||||
self.assertEqual(len(rows),0,
|
||||
'cursor.fetchmany should return an empty sequence if '
|
||||
'called after the whole result set has been fetched'
|
||||
)
|
||||
_failUnless(self,cur.rowcount in (-1,6))
|
||||
|
||||
self.executeDDL2(cur)
|
||||
cur.execute('select name from %sbarflys' % self.table_prefix)
|
||||
r = cur.fetchmany() # Should get empty sequence
|
||||
self.assertEqual(len(r),0,
|
||||
'cursor.fetchmany should return an empty sequence if '
|
||||
'query retrieved no rows'
|
||||
)
|
||||
_failUnless(self,cur.rowcount in (-1,0))
|
||||
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_fetchall(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
# cursor.fetchall should raise an Error if called
|
||||
# without executing a query that may return rows (such
|
||||
# as a select)
|
||||
self.assertRaises(self.driver.Error, cur.fetchall)
|
||||
|
||||
self.executeDDL1(cur)
|
||||
for sql in self._populate():
|
||||
cur.execute(sql)
|
||||
|
||||
# cursor.fetchall should raise an Error if called
|
||||
# after executing a a statement that cannot return rows
|
||||
self.assertRaises(self.driver.Error,cur.fetchall)
|
||||
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
rows = cur.fetchall()
|
||||
_failUnless(self,cur.rowcount in (-1,len(self.samples)))
|
||||
self.assertEqual(len(rows),len(self.samples),
|
||||
'cursor.fetchall did not retrieve all rows'
|
||||
)
|
||||
rows = [r[0] for r in rows]
|
||||
rows.sort()
|
||||
for i in range(0,len(self.samples)):
|
||||
self.assertEqual(rows[i],self.samples[i],
|
||||
'cursor.fetchall retrieved incorrect rows'
|
||||
)
|
||||
rows = cur.fetchall()
|
||||
self.assertEqual(
|
||||
len(rows),0,
|
||||
'cursor.fetchall should return an empty list if called '
|
||||
'after the whole result set has been fetched'
|
||||
)
|
||||
_failUnless(self,cur.rowcount in (-1,len(self.samples)))
|
||||
|
||||
self.executeDDL2(cur)
|
||||
cur.execute('select name from %sbarflys' % self.table_prefix)
|
||||
rows = cur.fetchall()
|
||||
_failUnless(self,cur.rowcount in (-1,0))
|
||||
self.assertEqual(len(rows),0,
|
||||
'cursor.fetchall should return an empty list if '
|
||||
'a select query returns no rows'
|
||||
)
|
||||
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_mixedfetch(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
self.executeDDL1(cur)
|
||||
for sql in self._populate():
|
||||
cur.execute(sql)
|
||||
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
rows1 = cur.fetchone()
|
||||
rows23 = cur.fetchmany(2)
|
||||
rows4 = cur.fetchone()
|
||||
rows56 = cur.fetchall()
|
||||
_failUnless(self,cur.rowcount in (-1,6))
|
||||
self.assertEqual(len(rows23),2,
|
||||
'fetchmany returned incorrect number of rows'
|
||||
)
|
||||
self.assertEqual(len(rows56),2,
|
||||
'fetchall returned incorrect number of rows'
|
||||
)
|
||||
|
||||
rows = [rows1[0]]
|
||||
rows.extend([rows23[0][0],rows23[1][0]])
|
||||
rows.append(rows4[0])
|
||||
rows.extend([rows56[0][0],rows56[1][0]])
|
||||
rows.sort()
|
||||
for i in range(0,len(self.samples)):
|
||||
self.assertEqual(rows[i],self.samples[i],
|
||||
'incorrect data retrieved or inserted'
|
||||
)
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def help_nextset_setUp(self,cur):
|
||||
''' Should create a procedure called deleteme
|
||||
that returns two result sets, first the
|
||||
number of rows in booze then "name from booze"
|
||||
'''
|
||||
raise NotImplementedError('Helper not implemented')
|
||||
#sql="""
|
||||
# create procedure deleteme as
|
||||
# begin
|
||||
# select count(*) from booze
|
||||
# select name from booze
|
||||
# end
|
||||
#"""
|
||||
#cur.execute(sql)
|
||||
|
||||
def help_nextset_tearDown(self,cur):
|
||||
'If cleaning up is needed after nextSetTest'
|
||||
raise NotImplementedError('Helper not implemented')
|
||||
#cur.execute("drop procedure deleteme")
|
||||
|
||||
def test_nextset(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
if not hasattr(cur,'nextset'):
|
||||
return
|
||||
|
||||
try:
|
||||
self.executeDDL1(cur)
|
||||
sql=self._populate()
|
||||
for sql in self._populate():
|
||||
cur.execute(sql)
|
||||
|
||||
self.help_nextset_setUp(cur)
|
||||
|
||||
cur.callproc('deleteme')
|
||||
numberofrows=cur.fetchone()
|
||||
assert numberofrows[0]== len(self.samples)
|
||||
assert cur.nextset()
|
||||
names=cur.fetchall()
|
||||
assert len(names) == len(self.samples)
|
||||
s=cur.nextset()
|
||||
assert s == None,'No more return sets, should return None'
|
||||
finally:
|
||||
self.help_nextset_tearDown(cur)
|
||||
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_nextset(self):
|
||||
raise NotImplementedError('Drivers need to override this test')
|
||||
|
||||
def test_arraysize(self):
|
||||
# Not much here - rest of the tests for this are in test_fetchmany
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
_failUnless(self,hasattr(cur,'arraysize'),
|
||||
'cursor.arraysize must be defined'
|
||||
)
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_setinputsizes(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
cur.setinputsizes( (25,) )
|
||||
self._paraminsert(cur) # Make sure cursor still works
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_setoutputsize_basic(self):
|
||||
# Basic test is to make sure setoutputsize doesn't blow up
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
cur.setoutputsize(1000)
|
||||
cur.setoutputsize(2000,0)
|
||||
self._paraminsert(cur) # Make sure the cursor still works
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_setoutputsize(self):
|
||||
# Real test for setoutputsize is driver dependant
|
||||
raise NotImplementedError('Driver needed to override this test')
|
||||
|
||||
def test_None(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
self.executeDDL1(cur)
|
||||
cur.execute('insert into %sbooze values (NULL)' % self.table_prefix)
|
||||
cur.execute('select name from %sbooze' % self.table_prefix)
|
||||
r = cur.fetchall()
|
||||
self.assertEqual(len(r),1)
|
||||
self.assertEqual(len(r[0]),1)
|
||||
self.assertEqual(r[0][0],None,'NULL value not returned as None')
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_Date(self):
|
||||
d1 = self.driver.Date(2002,12,25)
|
||||
d2 = self.driver.DateFromTicks(time.mktime((2002,12,25,0,0,0,0,0,0)))
|
||||
# Can we assume this? API doesn't specify, but it seems implied
|
||||
# self.assertEqual(str(d1),str(d2))
|
||||
|
||||
def test_Time(self):
|
||||
t1 = self.driver.Time(13,45,30)
|
||||
t2 = self.driver.TimeFromTicks(time.mktime((2001,1,1,13,45,30,0,0,0)))
|
||||
# Can we assume this? API doesn't specify, but it seems implied
|
||||
# self.assertEqual(str(t1),str(t2))
|
||||
|
||||
def test_Timestamp(self):
|
||||
t1 = self.driver.Timestamp(2002,12,25,13,45,30)
|
||||
t2 = self.driver.TimestampFromTicks(
|
||||
time.mktime((2002,12,25,13,45,30,0,0,0))
|
||||
)
|
||||
# Can we assume this? API doesn't specify, but it seems implied
|
||||
# self.assertEqual(str(t1),str(t2))
|
||||
|
||||
def test_Binary(self):
|
||||
b = self.driver.Binary(str2bytes('Something'))
|
||||
b = self.driver.Binary(str2bytes(''))
|
||||
|
||||
def test_STRING(self):
|
||||
_failUnless(self, hasattr(self.driver,'STRING'),
|
||||
'module.STRING must be defined'
|
||||
)
|
||||
|
||||
def test_BINARY(self):
|
||||
_failUnless(self, hasattr(self.driver,'BINARY'),
|
||||
'module.BINARY must be defined.'
|
||||
)
|
||||
|
||||
def test_NUMBER(self):
|
||||
_failUnless(self, hasattr(self.driver,'NUMBER'),
|
||||
'module.NUMBER must be defined.'
|
||||
)
|
||||
|
||||
def test_DATETIME(self):
|
||||
_failUnless(self, hasattr(self.driver,'DATETIME'),
|
||||
'module.DATETIME must be defined.'
|
||||
)
|
||||
|
||||
def test_ROWID(self):
|
||||
_failUnless(self, hasattr(self.driver,'ROWID'),
|
||||
'module.ROWID must be defined.'
|
||||
)
|
33
venv/Lib/site-packages/adodbapi/test/is64bit.py
Normal file
33
venv/Lib/site-packages/adodbapi/test/is64bit.py
Normal file
|
@ -0,0 +1,33 @@
|
|||
"""is64bit.Python() --> boolean value of detected Python word size. is64bit.os() --> os build version"""
|
||||
import sys
|
||||
|
||||
def Python():
|
||||
if sys.platform == 'cli': #IronPython
|
||||
import System
|
||||
return System.IntPtr.Size == 8
|
||||
else:
|
||||
try:
|
||||
return sys.maxsize > 2147483647
|
||||
except AttributeError:
|
||||
return sys.maxint > 2147483647
|
||||
|
||||
def os():
|
||||
import platform
|
||||
pm = platform.machine()
|
||||
if pm != '..' and pm.endswith('64'): # recent Python (not Iron)
|
||||
return True
|
||||
else:
|
||||
import os
|
||||
if 'PROCESSOR_ARCHITEW6432' in os.environ:
|
||||
return True # 32 bit program running on 64 bit Windows
|
||||
try:
|
||||
return os.environ['PROCESSOR_ARCHITECTURE'].endswith('64') # 64 bit Windows 64 bit program
|
||||
except IndexError:
|
||||
pass # not Windows
|
||||
try:
|
||||
return '64' in platform.architecture()[0] # this often works in Linux
|
||||
except:
|
||||
return False # is an older version of Python, assume also an older os (best we can guess)
|
||||
|
||||
if __name__ == "__main__":
|
||||
print(("is64bit.Python() =", Python(), "is64bit.os() =", os()))
|
114
venv/Lib/site-packages/adodbapi/test/setuptestframework.py
Normal file
114
venv/Lib/site-packages/adodbapi/test/setuptestframework.py
Normal file
|
@ -0,0 +1,114 @@
|
|||
#!/usr/bin/python2
|
||||
# Configure this in order to run the testcases.
|
||||
"setuptestframework.py v 2.6.0.8"
|
||||
from __future__ import print_function
|
||||
import os
|
||||
import sys
|
||||
import tempfile
|
||||
import shutil
|
||||
|
||||
try:
|
||||
OSErrors = (WindowsError, OSError)
|
||||
except NameError: # not running on Windows
|
||||
OSErrors = OSError
|
||||
|
||||
def maketemp():
|
||||
temphome = tempfile.gettempdir()
|
||||
tempdir = os.path.join(temphome, 'adodbapi_test')
|
||||
try: os.mkdir(tempdir)
|
||||
except: pass
|
||||
return tempdir
|
||||
|
||||
def _cleanup_function(testfolder, mdb_name):
|
||||
try: os.unlink(os.path.join(testfolder, mdb_name))
|
||||
except: pass # mdb database not present
|
||||
try:
|
||||
shutil.rmtree(testfolder)
|
||||
print(' cleaned up folder', testfolder)
|
||||
except: pass # test package not present
|
||||
|
||||
def getcleanupfunction():
|
||||
return _cleanup_function
|
||||
|
||||
def find_ado_path():
|
||||
adoName = os.path.normpath(os.getcwd() + '/../../adodbapi.py')
|
||||
adoPackage = os.path.dirname(adoName)
|
||||
return adoPackage
|
||||
|
||||
# make a new package directory for the test copy of ado
|
||||
def makeadopackage(testfolder):
|
||||
adoName = os.path.normpath(os.getcwd() + '/../adodbapi.py')
|
||||
adoPath = os.path.dirname(adoName)
|
||||
if os.path.exists(adoName):
|
||||
newpackage = os.path.join(testfolder,'adodbapi')
|
||||
try:
|
||||
os.mkdir(newpackage)
|
||||
except OSErrors:
|
||||
print('*Note: temporary adodbapi package already exists: may be two versions running?')
|
||||
for f in os.listdir(adoPath):
|
||||
if f.endswith('.py'):
|
||||
shutil.copy(os.path.join(adoPath, f), newpackage)
|
||||
if sys.version_info >= (3,0): # only when running Py3.n
|
||||
save = sys.stdout
|
||||
sys.stdout = None
|
||||
from lib2to3.main import main # use 2to3 to make test package
|
||||
main("lib2to3.fixes",args=['-n','-w', newpackage])
|
||||
sys.stdout = save
|
||||
return testfolder
|
||||
else:
|
||||
raise EnvironmentError('Connot find source of adodbapi to test.')
|
||||
|
||||
def makemdb(testfolder, mdb_name):
|
||||
# following setup code borrowed from pywin32 odbc test suite
|
||||
# kindly contributed by Frank Millman.
|
||||
import os
|
||||
|
||||
_accessdatasource = os.path.join(testfolder, mdb_name)
|
||||
if os.path.isfile(_accessdatasource):
|
||||
print('using JET database=', _accessdatasource)
|
||||
else:
|
||||
try:
|
||||
from win32com.client.gencache import EnsureDispatch
|
||||
from win32com.client import constants
|
||||
win32 = True
|
||||
except ImportError: #perhaps we are running IronPython
|
||||
win32 = False #iron Python
|
||||
try:
|
||||
from System import Activator, Type
|
||||
except:
|
||||
pass
|
||||
|
||||
# Create a brand-new database - what is the story with these?
|
||||
dbe = None
|
||||
for suffix in (".36", ".35", ".30"):
|
||||
try:
|
||||
if win32:
|
||||
dbe = EnsureDispatch("DAO.DBEngine" + suffix)
|
||||
else:
|
||||
type= Type.GetTypeFromProgID("DAO.DBEngine" + suffix)
|
||||
dbe = Activator.CreateInstance(type)
|
||||
break
|
||||
except:
|
||||
pass
|
||||
if dbe:
|
||||
print(' ...Creating ACCESS db at '+_accessdatasource)
|
||||
if win32:
|
||||
workspace = dbe.Workspaces(0)
|
||||
newdb = workspace.CreateDatabase(_accessdatasource,
|
||||
constants.dbLangGeneral,
|
||||
constants.dbVersion40)
|
||||
else:
|
||||
newdb = dbe.CreateDatabase(_accessdatasource,';LANGID=0x0409;CP=1252;COUNTRY=0')
|
||||
newdb.Close()
|
||||
else:
|
||||
print(' ...copying test ACCESS db to '+_accessdatasource)
|
||||
mdbName = os.path.abspath(os.path.join(os.path.dirname(__file__), '..', 'examples', 'test.mdb'))
|
||||
import shutil
|
||||
shutil.copy(mdbName, _accessdatasource)
|
||||
|
||||
return _accessdatasource
|
||||
|
||||
if __name__ == "__main__":
|
||||
print('Setting up a Jet database for server to use for remote testing...')
|
||||
temp = maketemp()
|
||||
makemdb(temp, 'server_test.mdb')
|
186
venv/Lib/site-packages/adodbapi/test/test_adodbapi_dbapi20.py
Normal file
186
venv/Lib/site-packages/adodbapi/test/test_adodbapi_dbapi20.py
Normal file
|
@ -0,0 +1,186 @@
|
|||
print("This module depends on the dbapi20 compliance tests created by Stuart Bishop")
|
||||
print("(see db-sig mailing list history for info)")
|
||||
import platform
|
||||
import unittest
|
||||
import sys
|
||||
|
||||
import dbapi20
|
||||
import setuptestframework
|
||||
|
||||
testfolder = setuptestframework.maketemp()
|
||||
if '--package' in sys.argv:
|
||||
pth = setuptestframework.makeadopackage(testfolder)
|
||||
sys.argv.remove('--package')
|
||||
else:
|
||||
pth = setuptestframework.find_ado_path()
|
||||
if pth not in sys.path:
|
||||
sys.path.insert(1,pth)
|
||||
# function to clean up the temporary folder -- calling program must run this function before exit.
|
||||
cleanup = setuptestframework.getcleanupfunction()
|
||||
|
||||
import adodbapi
|
||||
import adodbapi.is64bit as is64bit
|
||||
db = adodbapi
|
||||
|
||||
if '--verbose' in sys.argv:
|
||||
db.adodbapi.verbose = 3
|
||||
|
||||
print((adodbapi.version))
|
||||
print(("Tested with dbapi20 %s" % dbapi20.__version__))
|
||||
|
||||
try:
|
||||
onWindows = bool(sys.getwindowsversion()) # seems to work on all versions of Python
|
||||
except:
|
||||
onWindows = False
|
||||
|
||||
node = platform.node()
|
||||
|
||||
conn_kws = {}
|
||||
host = 'testsql.2txt.us,1430' # if None, will use macro to fill in node name
|
||||
instance = r'%s\SQLEXPRESS'
|
||||
conn_kws['name'] = 'adotest'
|
||||
|
||||
conn_kws['user'] = 'adotestuser' # None implies Windows security
|
||||
conn_kws['password'] = "Sq1234567"
|
||||
# macro definition for keyword "security" using macro "auto_security"
|
||||
conn_kws['macro_auto_security'] = 'security'
|
||||
|
||||
if host is None:
|
||||
conn_kws['macro_getnode'] = ['host', instance]
|
||||
else:
|
||||
conn_kws['host'] = host
|
||||
|
||||
conn_kws['provider'] = 'Provider=MSOLEDBSQL;DataTypeCompatibility=80;MARS Connection=True;'
|
||||
connStr = "%(provider)s; %(security)s; Initial Catalog=%(name)s;Data Source=%(host)s"
|
||||
|
||||
if onWindows and node != "z-PC":
|
||||
pass # default should make a local SQL Server connection
|
||||
elif node == "xxx": # try Postgres database
|
||||
_computername = "25.223.161.222"
|
||||
_databasename='adotest'
|
||||
_username = 'adotestuser'
|
||||
_password = '12345678'
|
||||
_driver="PostgreSQL Unicode"
|
||||
_provider = ''
|
||||
connStr = '%sDriver={%s};Server=%s;Database=%s;uid=%s;pwd=%s;' % \
|
||||
(_provider,_driver,_computername,_databasename,_username,_password)
|
||||
elif node == "yyy": # ACCESS data base is known to fail some tests.
|
||||
if is64bit.Python():
|
||||
driver = "Microsoft.ACE.OLEDB.12.0"
|
||||
else:
|
||||
driver = "Microsoft.Jet.OLEDB.4.0"
|
||||
testmdb = setuptestframework.makemdb(testfolder)
|
||||
connStr = r"Provider=%s;Data Source=%s" % (driver, testmdb)
|
||||
else: # try a remote connection to an SQL server
|
||||
conn_kws['proxy_host'] = '25.44.77.176'
|
||||
import adodbapi.remote
|
||||
db = adodbapi.remote
|
||||
|
||||
print(('Using Connection String like=%s' % connStr))
|
||||
print(('Keywords=%s' % repr(conn_kws)))
|
||||
|
||||
class test_adodbapi(dbapi20.DatabaseAPI20Test):
|
||||
driver = db
|
||||
connect_args = (connStr,)
|
||||
connect_kw_args = conn_kws
|
||||
|
||||
def __init__(self,arg):
|
||||
dbapi20.DatabaseAPI20Test.__init__(self,arg)
|
||||
|
||||
def testMethodName(self):
|
||||
return self.id().split('.')[-1]
|
||||
|
||||
def setUp(self):
|
||||
# Call superclass setUp In case this does something in the
|
||||
# future
|
||||
dbapi20.DatabaseAPI20Test.setUp(self)
|
||||
if self.testMethodName()=='test_callproc':
|
||||
con = self._connect()
|
||||
engine = con.dbms_name
|
||||
## print('Using database Engine=%s' % engine) ##
|
||||
if engine != 'MS Jet':
|
||||
sql="""
|
||||
create procedure templower
|
||||
@theData varchar(50)
|
||||
as
|
||||
select lower(@theData)
|
||||
"""
|
||||
else: # Jet
|
||||
sql="""
|
||||
create procedure templower
|
||||
(theData varchar(50))
|
||||
as
|
||||
select lower(theData);
|
||||
"""
|
||||
cur = con.cursor()
|
||||
try:
|
||||
cur.execute(sql)
|
||||
con.commit()
|
||||
except:
|
||||
pass
|
||||
cur.close()
|
||||
con.close()
|
||||
self.lower_func='templower'
|
||||
|
||||
|
||||
def tearDown(self):
|
||||
if self.testMethodName()=='test_callproc':
|
||||
con = self._connect()
|
||||
cur = con.cursor()
|
||||
try:
|
||||
cur.execute("drop procedure templower")
|
||||
except:
|
||||
pass
|
||||
con.commit()
|
||||
dbapi20.DatabaseAPI20Test.tearDown(self)
|
||||
|
||||
|
||||
def help_nextset_setUp(self,cur):
|
||||
'Should create a procedure called deleteme '
|
||||
'that returns two result sets, first the number of rows in booze then "name from booze"'
|
||||
sql="""
|
||||
create procedure deleteme as
|
||||
begin
|
||||
select count(*) from %sbooze
|
||||
select name from %sbooze
|
||||
end
|
||||
""" %(self.table_prefix,self.table_prefix)
|
||||
cur.execute(sql)
|
||||
|
||||
def help_nextset_tearDown(self,cur):
|
||||
'If cleaning up is needed after nextSetTest'
|
||||
try:
|
||||
cur.execute("drop procedure deleteme")
|
||||
except:
|
||||
pass
|
||||
|
||||
def test_nextset(self):
|
||||
con = self._connect()
|
||||
try:
|
||||
cur = con.cursor()
|
||||
|
||||
stmts=[self.ddl1] + self._populate()
|
||||
for sql in stmts:
|
||||
cur.execute(sql)
|
||||
|
||||
self.help_nextset_setUp(cur)
|
||||
|
||||
cur.callproc('deleteme')
|
||||
numberofrows=cur.fetchone()
|
||||
assert numberofrows[0]== 6
|
||||
assert cur.nextset()
|
||||
names=cur.fetchall()
|
||||
assert len(names) == len(self.samples)
|
||||
s=cur.nextset()
|
||||
assert s == None,'No more return sets, should return None'
|
||||
finally:
|
||||
try:
|
||||
self.help_nextset_tearDown(cur)
|
||||
finally:
|
||||
con.close()
|
||||
|
||||
def test_setoutputsize(self): pass
|
||||
|
||||
if __name__ == '__main__':
|
||||
unittest.main()
|
||||
cleanup(testfolder, None)
|
30
venv/Lib/site-packages/adodbapi/test/tryconnection.py
Normal file
30
venv/Lib/site-packages/adodbapi/test/tryconnection.py
Normal file
|
@ -0,0 +1,30 @@
|
|||
remote = False # automatic testing of remote access has been removed here
|
||||
|
||||
def try_connection(verbose, *args, **kwargs):
|
||||
import adodbapi
|
||||
|
||||
dbconnect = adodbapi.connect
|
||||
try:
|
||||
s = dbconnect(*args, **kwargs) # connect to server
|
||||
if verbose:
|
||||
print(('Connected to:', s.connection_string))
|
||||
print(('which has tables:', s.get_table_names()))
|
||||
s.close() # thanks, it worked, goodbye
|
||||
except adodbapi.DatabaseError as inst:
|
||||
print((inst.args[0])) # should be the error message
|
||||
print(('***Failed getting connection using=',repr(args),repr(kwargs)))
|
||||
return False, (args, kwargs), None
|
||||
|
||||
print(" (successful)")
|
||||
|
||||
return True, (args, kwargs, remote), dbconnect
|
||||
|
||||
|
||||
def try_operation_with_expected_exception(expected_exception_list, some_function, *args, **kwargs):
|
||||
try:
|
||||
some_function(*args, **kwargs)
|
||||
except expected_exception_list as e:
|
||||
return True, e
|
||||
except:
|
||||
raise # an exception other than the expected occurred
|
||||
return False, 'The expected exception did not occur'
|
Loading…
Add table
Add a link
Reference in a new issue