/usr/lib/python2.7/dist-packages/asrun/myconnect.py is in code-aster-run 1.13.1-2.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 | # -*- coding: utf-8 -*-
# ==============================================================================
# COPYRIGHT (C) 1991 - 2003 EDF R&D WWW.CODE-ASTER.ORG
# THIS PROGRAM IS FREE SOFTWARE; YOU CAN REDISTRIBUTE IT AND/OR MODIFY
# IT UNDER THE TERMS OF THE GNU GENERAL PUBLIC LICENSE AS PUBLISHED BY
# THE FREE SOFTWARE FOUNDATION; EITHER VERSION 2 OF THE LICENSE, OR
# (AT YOUR OPTION) ANY LATER VERSION.
#
# THIS PROGRAM 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
# GENERAL PUBLIC LICENSE FOR MORE DETAILS.
#
# YOU SHOULD HAVE RECEIVED A COPY OF THE GNU GENERAL PUBLIC LICENSE
# ALONG WITH THIS PROGRAM; IF NOT, WRITE TO EDF R&D CODE_ASTER,
# 1 AVENUE DU GENERAL DE GAULLE, 92141 CLAMART CEDEX, FRANCE.
# ==============================================================================
"""
This module encapsulates access to MySQL databases.
"""
__all__ = ['CONNECT', 'MySQLError']
import os
from types import ListType, TupleType, LongType
EnumTypes = (ListType, TupleType)
import traceback
import MySQLdb
from asrun.common.i18n import _
from asrun.mystring import print3
from asrun.common.sysutils import get_home_directory
class MySQLError(Exception):
"""Error during MySQLdb commands.
"""
class CONNECT:
"""Open a MySQL connection using parameters defined in the file
`rcdir`/.mysql_connect_`db` where `db` and `rcdir` is given
through __init__.
Attributes :
cursor : Cursor to the active connection.
Methods :
exe : Execute a SQL query
"""
def __init__(self, db, **kargs):
"""Open the connection.
"""
# optional arguments
self.verbose = kargs.get('verbose', True)
self.debug = kargs.get('debug', False)
self.autocommit = kargs.get('autocommit', True)
rcdir = kargs.get('rcdir', get_home_directory())
mydict = kargs.get('db_params')
self.connection = None
if mydict is None:
fic = os.path.join(rcdir, '.mysql_connect_'+db)
if not os.path.exists(fic):
raise IOError, _(u'No such file or directory : %s') % fic
mydict = dict()
try:
execfile(fic, mydict)
except:
raise MySQLError, _(u'Can not read connection parameters')
try:
self.connection = MySQLdb.connect(host=mydict['host'], user=mydict['user'],
passwd=mydict['passwd'], db=mydict['db'])
except:
raise MySQLError, _(u'Connection failed to %s for user %s (and password)') \
% (mydict['host'], mydict['user'])
# if autocommit doesn't exist hope it's on by default !
if self.autocommit and hasattr(self.connection, 'autocommit'):
self.connection.autocommit(self.autocommit)
self.cursor = self.connection.cursor()
if self.verbose:
print3(_(u"""Connection to '%(host)s' on '%(db)s' database.""") % mydict)
def __del__(self):
"""Close the connection on deletion.
"""
if self.connection is not None:
self.connection.close()
def exe(self, query):
"""Execute the SQL 'query' using the active connection.
Return result lines (as list).
"""
if self.debug:
print3('### Query : %s%s--> not executed.' % (query, os.linesep))
return []
if not hasattr(self.cursor, 'fetchone'):
print3(_(u'Connection not opened.'))
return []
try:
nb = self.cursor.execute(query)
except:
traceback.print_exc()
raise MySQLError, 'ERROR query = %s' % query
if self.verbose:
print3('### Query : %s%s--> %d lines returned.' % (query, os.linesep, nb))
tab = []
for lig in self.cursor.fetchall():
tab.append(lig)
return tab
def showtab(self):
"""Return tables of the database (as list).
"""
res = self.exe("""SHOW TABLES;""")
li = []
for c in res:
li.append(c[0])
return li
def showcol(self, table):
"""Return names of the columns of the 'table' (as list).
"""
res = self.exe("""SHOW COLUMNS FROM %s;""" % table)
li = []
for c in res:
li.append(c[0])
return li
def select_all(self, table):
"""Return all lines of the 'table' (as list).
"""
return self.exe("""SELECT * FROM %s;""" % table)
def insert(self, table, lines):
"""Insert 'lines' (as a list of dict "column:value") into the 'table'.
Return the number of added lines.
"""
nb = 0
if not hasattr(self.cursor, 'fetchone'):
print3(_(u'Connection not opened.'))
return nb
if not type(lines) in EnumTypes:
lines = [lines, ]
for line in lines:
query = ['INSERT INTO %s SET' % table]
lset = []
for k, v in line.items():
if v != None:
if type(v) is LongType:
v = '%d' % v
lset.append('%s=%s' % (k, repr(v)))
query.append(', '.join(lset))
query.append(';')
if self.verbose:
print3('### Query : %s' % (' '.join(query)))
try:
nb += self.cursor.execute(' '.join(query))
except:
traceback.print_exc()
raise MySQLError, 'ERROR query = %s' % (' '.join(query))
if self.verbose:
print3(_(u'--> %d lines added.') % nb)
if nb != len(lines):
print3(_(u'ERROR : not all lines have been added.'))
return nb
def update(self, table, line, cond):
"""Update 'line' (as a list of dict "column:value") into the 'table'
where 'cond' is respected.
Return the number of updated lines.
"""
if not hasattr(self.cursor, 'fetchone'):
print3(_(u'Connection not opened.'))
return 0
query = ['UPDATE %s SET' % table]
lset = []
for k, v in line.items():
if v != None:
if type(v) is LongType:
v = '%d' % v
lset.append('%s=%s' % (k, repr(v)))
query.append(', '.join(lset))
query.append('WHERE')
lwh = []
for k, v in cond.items():
if v != None:
if type(v) is LongType:
v = '%d' % v
lwh.append('%s=%s' % (k, repr(v)))
query.append(' AND '.join(lwh))
query.append(';')
if self.verbose:
print3('### Query : %s' % (' '.join(query)))
try:
nb = self.cursor.execute(' '.join(query))
except:
traceback.print_exc()
raise MySQLError, 'ERROR query = %s' % (' '.join(query))
return nb
|