root / pykota / trunk / pykota / storages / mysqlstorage.py @ 2954

Revision 2954, 6.4 kB (checked in by jerome, 18 years ago)

Ensures that the databases are created with UTF-8 encoding, and that the
client tells that we will always use UTF-8 when sending datas to the server
or retrieving them.

  • Property svn:keywords set to Author Date Id Revision
Line 
1# PyKota
2# -*- coding: ISO-8859-15 -*-
3#
4# PyKota : Print Quotas for CUPS and LPRng
5#
6# (c) 2003, 2004, 2005, 2006 Jerome Alet <alet@librelogiciel.com>
7# (c) 2005, 2006 Matt Hyclak <hyclak@math.ohiou.edu>
8# This program is free software; you can redistribute it and/or modify
9# it under the terms of the GNU General Public License as published by
10# the Free Software Foundation; either version 2 of the License, or
11# (at your option) any later version.
12#
13# This program is distributed in the hope that it will be useful,
14# but WITHOUT ANY WARRANTY; without even the implied warranty of
15# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
16# GNU General Public License for more details.
17#
18# You should have received a copy of the GNU General Public License
19# along with this program; if not, write to the Free Software
20# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
21#
22# $Id$
23#
24#
25
26import time
27
28from pykota.storage import PyKotaStorageError, BaseStorage
29from pykota.storages.sql import SQLStorage
30
31try :
32    import MySQLdb
33except ImportError :   
34    import sys
35    # TODO : to translate or not to translate ?
36    raise PyKotaStorageError, "This python version (%s) doesn't seem to have the MySQL module installed correctly." % sys.version.split()[0]
37
38class Storage(BaseStorage, SQLStorage) :
39    def __init__(self, pykotatool, host, dbname, user, passwd) :
40        """Opens the MySQL database connection."""
41        BaseStorage.__init__(self, pykotatool)
42        try :
43            (host, port) = host.split(":")
44            port = int(port)
45        except ValueError :   
46            port = 3306           # Use the default MySQL port
47       
48        self.tool.logdebug("Trying to open database (host=%s, port=%s, dbname=%s, user=%s)..." % (host, port, dbname, user))
49        self.database = MySQLdb.connect(host=host, port=port, db=dbname, user=user, passwd=passwd)
50        self.database.autocommit(1)
51        self.cursor = self.database.cursor()
52        self.cursor.execute("SET NAMES 'utf8';")
53        self.cursor.execute("SET TRANSACTION ISOLATION LEVEL READ COMMITTED;") # Same as PostgreSQL and Oracle's default
54        self.closed = 0
55        self.tool.logdebug("Database opened (host=%s, port=%s, dbname=%s, user=%s)" % (host, port, dbname, user))
56           
57    def close(self) :   
58        """Closes the database connection."""
59        if not self.closed :
60            self.cursor.close()
61            self.database.close()
62            self.closed = 1
63            self.tool.logdebug("Database closed.")
64       
65    def beginTransaction(self) :   
66        """Starts a transaction."""
67        self.before = time.time()
68        self.cursor.execute("BEGIN;")
69        self.tool.logdebug("Transaction begins...")
70       
71    def commitTransaction(self) :   
72        """Commits a transaction."""
73        self.database.commit()
74        after = time.time()
75        self.tool.logdebug("Transaction committed.")
76        self.tool.logdebug("Transaction duration : %.4f seconds" % (after - self.before))
77       
78    def rollbackTransaction(self) :     
79        """Rollbacks a transaction."""
80        self.database.rollback()
81        after = time.time()
82        self.tool.logdebug("Transaction aborted.")
83        self.tool.logdebug("Transaction duration : %.4f seconds" % (after - self.before))
84       
85    def doRawSearch(self, query) :
86        """Does a raw search query."""
87        query = query.strip()   
88        if not query.endswith(';') :   
89            query += ';'
90        try :
91            before = time.time()
92            self.tool.logdebug("QUERY : %s" % query)
93            self.cursor.execute(query)
94        except self.database.Error, msg :   
95            raise PyKotaStorageError, str(msg)
96        else :   
97            # This returns a list of lists. Integers are returned as longs.
98            result = self.cursor.fetchall()
99            after = time.time()
100            self.tool.logdebug("Query Duration : %.4f seconds" % (after - before))
101            return result
102           
103    def doSearch(self, query) :       
104        """Does a search query."""
105        result = self.doRawSearch(query)
106        if result :
107            rows = []
108            fields = {}
109            for i in range(len(self.cursor.description)) :
110                fields[i] = self.cursor.description[i][0]
111            for row in result :
112                rowdict = {}
113                for field in fields.keys() :
114                    value = row[field]
115                    try :
116                        value = value.encode("UTF-8")
117                    except:
118                        pass
119                    rowdict[fields[field]] = value
120                rows.append(rowdict)
121            # returns a list of dicts
122            return rows
123
124    def doModify(self, query) :
125        """Does a (possibly multiple) modify query."""
126        query = query.strip()   
127        if not query.endswith(';') :   
128            query += ';'
129        try :
130            before = time.time()
131            self.tool.logdebug("QUERY : %s" % query)
132            self.cursor.execute(query)
133        except self.database.Error, msg :   
134            self.tool.logdebug("Query failed : %s" % repr(msg))
135            raise PyKotaStorageError, str(msg)
136        else :   
137            after = time.time()
138            self.tool.logdebug("Query Duration : %.4f seconds" % (after - before))
139           
140    def doQuote(self, field) :
141        """Quotes a field for use as a string in SQL queries."""
142        if type(field) == type(0.0) :
143            return field
144        elif type(field) == type(0) :
145            return field
146        elif type(field) == type(0L) :
147            return field
148        elif field is not None :
149            newfield = self.database.string_literal(field)
150            try :
151                return newfield.encode("UTF-8")
152            except :   
153                return newfield
154        else :
155            self.tool.logdebug("WARNING: field has no type, returning NULL")
156            return "NULL"
157
158    def prepareRawResult(self, result) :
159        """Prepares a raw result by including the headers."""
160        if result :
161            entries = [tuple([f[0] for f in self.cursor.description])]
162            for entry in result :
163                row = []
164                for value in entry :
165                    try :
166                        value = value.encode("UTF-8")
167                    except :
168                        pass
169                    row.append(value)
170                entries.append(tuple(row))
171            return entries
Note: See TracBrowser for help on using the browser.