oracleconn.py :  » Database » PyDO » skunkweb-3.4.4 » pylibs » PyDO » Python Open Source

Home
Python Open Source
1.3.1.2 Python
2.Ajax
3.Aspect Oriented
4.Blog
5.Build
6.Business Application
7.Chart Report
8.Content Management Systems
9.Cryptographic
10.Database
11.Development
12.Editor
13.Email
14.ERP
15.Game 2D 3D
16.GIS
17.GUI
18.IDE
19.Installer
20.IRC
21.Issue Tracker
22.Language Interface
23.Log
24.Math
25.Media Sound Audio
26.Mobile
27.Network
28.Parser
29.PDF
30.Project Management
31.RSS
32.Search
33.Security
34.Template Engines
35.Test
36.UML
37.USB Serial
38.Web Frameworks
39.Web Server
40.Web Services
41.Web Unit
42.Wiki
43.Windows
44.XML
Python Open Source » Database » PyDO 
PyDO » skunkweb 3.4.4 » pylibs » PyDO » oracleconn.py
#  
#  Copyright (C) 2001 Andrew T. Csillag <drew_csillag@geocities.com>
#  
#      You may distribute under the terms of either the GNU General
#      Public License or the SkunkWeb License, as specified in the
#      README file.
#   
import types
import Date
from Date import DateTime
import string
from PyDO import SYSDATE#circular import ok, since we're loaded after PyDO
try:
    import DCOracle
except:
    import DCOracle2 as DCOracle

try:
    dbiRaw, dbiDate = DCOracle.dbi.dbiRaw, DCOracle.dbi.dbiDate
except:
    dbiRaw = DCOracle.dbiRaw
    dbiDate = DCOracle.DateFromTicks

import Oracle

class _NO_VALUE: pass

def _isdml(sql):
    if sql[:7] in ('UPDATE ', 'DELETE ', 'INSERT '):
        return 1
    
class PyDOOracle:
    """PyDBI - PyDO oracle driver"""
    def __init__(self, connectString):
        self.connectString = connectString
        realConn, self.useOracleMod, self.verbose = self._parseConnectString(
            connectString)
        self.realConn = realConn
        if self.useOracleMod:
            self.conn = Oracle.getConnection(realConn)
        else:
            self.conn = DCOracle.Connect(realConn)
        self.bvcount = 0
        oraConns.append(self.conn)
        self.bindVariables = 1
        if self.verbose:
            print 'CONNECTED'
        
    def _parseConnectString(self, s):
        bits = string.split(s, '|')
        verbose = 0
        useOracleMod = 0
        if len(bits) == 1:
            return bits[0], 0, 0
        else:
            if bits[1] == 'cache':
                useOracleMod = 1
                bits = bits[1:]
            if len(bits) > 0 and bits[1] == 'verbose':
                verbose = 1
            return bits[0], useOracleMod, verbose

    def getConnection(self):
        return self.conn

    def sqlStringAndValue(self, val, attr, dbtype):
        if val == SYSDATE:
            return 'SYSDATE', _NO_VALUE
        if Date.isDateTime(val):
            val = _dateConvertToDB(val)
        if string.upper(dbtype) == "LONG RAW":
            val = dbiRaw(val)
        self.bvcount = self.bvcount + 1
        return ':p%d' % self.bvcount, val

    def getBindVariable(self):
        self.bvcount = self.bvcount + 1
        return ':p%d' % self.bvcount

    def convertData(self, val, dbtype):
        return self.typeCheckAndConvert(val, 'bogus', dbtype)
    
    def resetQuery(self):
        self.bvcount = 0

    def getAutoIncrement(self, name): pass
    def getSequence(self, name):
        cur = self.conn.cursor()
        sql = 'select %s.nextval from dual' % name
        if self.verbose:
            print 'SQL>', sql
        cur.execute(sql)
        return cur.fetchall()[0][0]

    def execute(self, sql, values, attributes):
        cur = self.conn.cursor()

        values = filter(lambda x: x != _NO_VALUE, values)
        if self.verbose:
            print 'SQL>', sql
            print 'VALUES>', values

        r = cur.execute(sql, tuple(values))
        #if self.verbose:
        #    print 'RETURN>', r
        if _isdml(sql):
            return r
        result = []
        while 1:
            row = cur.fetchone()
            if not row:
                break
            result.append(row)
            
        desc = map(lambda x: _remTable(x), cur.description)
        if attributes is None:
            return result, desc
        return self.convertResultRows(desc, attributes, result)

    def convertResultRows(self, colnames, attributes, rows):
        newresult = []
        for row in rows:
            d = {}
            for item, col in map(None, row, colnames):
                #do date conversions here if possible (yes! - attributes)
                a = attributes[col]
                if _isDateKind(a):
                    d[col] = _dateConvertFromDB(item)
                else:
                    d[col] = item
            newresult.append(d)

        return newresult
    
    def commit(self):
        self.conn.commit()
        if self.verbose:
            print 'COMMITTING'
            
    def rollback(self):
        self.conn.rollback()
        if self.verbose:
            print 'ROLLING BACK'
            
    def postInsertUpdate(self, object, newvals, isinsert):
        pass
    
    def typeCheckAndConvert(self, val, aname, attr):
        #nulls always allowed (unless the db says no)
        if val is None: return val
        if _isDateKind(attr) and not (Date.isDateTime(val) or val is SYSDATE):
            raise TypeError,'trying to assign %s to %s and is not a date'%(
                val, aname)
            val = _dateConvertToDB(val)
        elif (_isNumber(attr) and
              not isinstance(val, types.FloatType) and
              not isinstance(val, types.IntType)):
                raise TypeError, ('trying to assign %s to %s and is not'
                                  ' a number') % (val, aname)
        elif _isString(attr) and not isinstance(val, types.StringType):
            raise TypeError, 'trying to assign %s to %s and is not a string'% (
                val, aname)
        
        return val

    def getProcedure(self, procName):
        if self.useOracleMod:
            return Oracle.getProcedure(self.realConn, procName)
        else:
            return getattr(self.getCursor().procedures, procName)

    def getCursor(self):
        return self.conn.cursor()

    def convertCursorResult(self, cursor, attrMap):
        res = cur.fetchall()
        desc = map(lambda x:x[0], cursor.description)
        return self.convertResultRows(desc, attrMap, res)
    
#so connections get rolled back on mod destruction, otherwise conns commit.
        
oraConns = []

class _modguard:
    def __init__(self):
        self.foo=oraConns
        
    def __del__(self):
        for c in self.foo:
            c.rollback()

_modguardinst = _modguard()

def _isDateKind(type):
    if type in ('TIME', 'DATETIME', 'DATE'):
        return 1

def _dateConvertFromDB(dbd):
    return DateTime.localtime(dbd)

def _dateConvertToDB(dt):
    return dbiDate(float(dt))

def _isNumber(attr):
    return attr == 'INTEGER'

def _isString(attr):
    return attr[:7] == 'VARCHAR' or attr[:4] == 'CHAR'

def _remTable(desc):
    desc = desc[0]
    ind = string.rfind(desc, '.')
    if ind == -1:
        return desc
    else:
        return desc[ind+1:]
www.java2java.com | Contact Us
Copyright 2009 - 12 Demo Source and Support. All rights reserved.
All other trademarks are property of their respective owners.