|
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396 |
- # Copyright (c) 2012 Web Notes Technologies Pvt Ltd (http://erpnext.com)
- #
- # MIT License (MIT)
- #
- # Permission is hereby granted, free of charge, to any person obtaining a
- # copy of this software and associated documentation files (the "Software"),
- # to deal in the Software without restriction, including without limitation
- # the rights to use, copy, modify, merge, publish, distribute, sublicense,
- # and/or sell copies of the Software, and to permit persons to whom the
- # Software is furnished to do so, subject to the following conditions:
- #
- # The above copyright notice and this permission notice shall be included in
- # all copies or substantial portions of the Software.
- #
- # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED,
- # INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A
- # PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT
- # HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF
- # CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE
- # OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
- #
-
- # Database Module
- # --------------------
-
- from __future__ import unicode_literals
- import MySQLdb
- import webnotes
- import conf
-
- class Database:
- """
- Open a database connection with the given parmeters, if use_default is True, use the
- login details from `conf.py`. This is called by the request handler and is accessible using
- the `conn` global variable. the `sql` method is also global to run queries
- """
- def __init__(self, host=None, user=None, password=None, ac_name=None, use_default = 0):
- self.host = host or 'localhost'
- self.user = user or conf.db_name
-
- if ac_name:
- self.user = self.get_db_login(ac_name) or conf.db_name
-
- if use_default:
- self.user = conf.db_name
-
- self.in_transaction = 0
- self.transaction_writes = 0
- self.auto_commit_on_many_writes = 0
-
- self.password = password or webnotes.get_db_password(self.user)
-
- self.connect()
- if self.user != 'root':
- self.use(self.user)
-
- def get_db_login(self, ac_name):
- return ac_name
-
- def connect(self):
- """
- Connect to a database
- """
- self._conn = MySQLdb.connect(user=self.user, host=self.host, passwd=self.password, use_unicode=True, charset='utf8')
- self._conn.converter[246]=float
- self._cursor = self._conn.cursor()
-
- def use(self, db_name):
- """
- `USE` db_name
- """
- self._conn.select_db(db_name)
- self.cur_db_name = db_name
-
- def validate_query(self, q):
- cmd = q.strip().lower().split()[0]
- if cmd in ['alter', 'drop', 'truncate'] and webnotes.user.name != 'Administrator':
- webnotes.msgprint('Not allowed to execute query')
- raise Execption
-
- def sql(self, query, values=(), as_dict = 0, as_list = 0, formatted = 0,
- debug=0, ignore_ddl=0, as_utf8=0, auto_commit=0, update=None):
- """
- * Execute a `query`, with given `values`
- * returns as a dictionary if as_dict = 1
- * returns as a list of lists (with cleaned up dates) if as_list = 1
- """
- # in transaction validations
- self.check_transaction_status(query)
-
- # autocommit
- if auto_commit and self.in_transaction: self.commit()
- if auto_commit: self.begin()
-
- # execute
- try:
- if values!=():
- if isinstance(values, dict):
- values = dict(values)
- if debug: webnotes.errprint(query % values)
- self._cursor.execute(query, values)
-
- else:
- if debug: webnotes.errprint(query)
- self._cursor.execute(query)
- except Exception, e:
- # ignore data definition errors
- if ignore_ddl and e.args[0] in (1146,1054,1091):
- pass
- else:
- raise e
-
- if auto_commit: self.commit()
-
- # scrub output if required
- if as_dict:
- ret = self.fetch_as_dict(formatted, as_utf8)
- if update:
- for r in ret:
- r.update(update)
- return ret
- elif as_list:
- return self.convert_to_lists(self._cursor.fetchall(), formatted, as_utf8)
- elif as_utf8:
- return self.convert_to_lists(self._cursor.fetchall(), formatted, as_utf8)
- else:
- return self._cursor.fetchall()
-
- def check_transaction_status(self, query):
- if self.in_transaction and query and query.strip().split()[0].lower() in ['start', 'alter', 'drop', 'create']:
- raise Exception, 'This statement can cause implicit commit'
-
- if query and query.strip().lower()=='start transaction':
- self.in_transaction = 1
- self.transaction_writes = 0
-
- if query and query.strip().split()[0].lower() in ['commit', 'rollback']:
- self.in_transaction = 0
-
- if self.in_transaction and query[:6].lower() in ['update', 'insert']:
- self.transaction_writes += 1
- if self.transaction_writes > 10000:
- if self.auto_commit_on_many_writes:
- webnotes.conn.commit()
- webnotes.conn.begin()
- else:
- webnotes.msgprint('A very long query was encountered. If you are trying to import data, please do so using smaller files')
- raise Exception, 'Bad Query!!! Too many writes'
-
- def fetch_as_dict(self, formatted=0, as_utf8=0):
- result = self._cursor.fetchall()
- ret = []
- for r in result:
- row_dict = webnotes._dict({})
- for i in range(len(r)):
- val = self.convert_to_simple_type(r[i], formatted)
- if as_utf8 and type(val) is unicode:
- val = val.encode('utf-8')
- row_dict[self._cursor.description[i][0]] = val
- ret.append(row_dict)
- return ret
-
- def get_description(self):
- return self._cursor.description
-
- def convert_to_simple_type(self, v, formatted=0):
- import datetime
- from webnotes.utils import formatdate, fmt_money
-
- # date
- if type(v)==datetime.date:
- v = unicode(v)
- if formatted:
- v = formatdate(v)
-
- # time
- elif type(v)==datetime.timedelta:
- v = unicode(v)
-
- # datetime
- elif type(v)==datetime.datetime:
- v = unicode(v)
-
- # long
- elif type(v)==long:
- v=int(v)
-
- # convert to strings... (if formatted)
- if formatted:
- if type(v)==float:
- v=fmt_money(v)
- if type(v)==int:
- v=str(v)
-
- return v
-
- def convert_to_lists(self, res, formatted=0, as_utf8=0):
- nres = []
- for r in res:
- nr = []
- for c in r:
- val = self.convert_to_simple_type(c, formatted)
- if as_utf8 and type(val) is unicode:
- val = val.encode('utf-8')
- nr.append(val)
- nres.append(nr)
- return nres
-
- def convert_to_utf8(self, res, formatted=0):
- nres = []
- for r in res:
- nr = []
- for c in r:
- if type(c) is unicode:
- c = c.encode('utf-8')
- nr.append(self.convert_to_simple_type(c, formatted))
- nres.append(nr)
- return nres
-
- def build_conditions(self, filters):
- def _build_condition(key):
- """
- filter's key is passed by map function
- build conditions like:
- * ifnull(`fieldname`, default_value) = %(fieldname)s
- * `fieldname` = %(fieldname)s
- """
- if "[" in key:
- split_key = key.split("[")
- return "ifnull(`" + split_key[0] + "`, " + split_key[1][:-1] + ") = %(" + key + ")s"
- else:
- return "`" + key + "` = %(" + key + ")s"
-
- if isinstance(filters, basestring):
- filters = { "name": filters }
- conditions = map(_build_condition, filters)
-
- return " and ".join(conditions), filters
-
- def get_value(self, doctype, filters=None, fieldname="name", ignore=None, as_dict=False):
- """Get a single / multiple value from a record.
- For Single DocType, let filters be = None"""
- if filters is not None and (filters!=doctype or filters=='DocType'):
- fl = isinstance(fieldname, basestring) and fieldname or "`, `".join(fieldname)
- conditions, filters = self.build_conditions(filters)
-
- try:
- r = self.sql("select `%s` from `tab%s` where %s" % (fl, doctype,
- conditions), filters, as_dict)
- except Exception, e:
- if e.args[0]==1054 and ignore:
- return None
- else:
- raise e
-
- return r and (len(r[0]) > 1 and r[0] or r[0][0]) or None
-
- else:
- fieldname = isinstance(fieldname, basestring) and [fieldname] or fieldname
-
- r = self.sql("select field, value from tabSingles where field in (%s) and \
- doctype=%s" % (', '.join(['%s']*len(fieldname)), '%s'), tuple(fieldname) + (doctype,), as_dict=False)
- if as_dict:
- return r and webnotes._dict(r) or None
- else:
- return r and (len(r) > 1 and [i[0] for i in r] or r[0][1]) or None
-
- def set_value(self, dt, dn, field, val, modified=None, modified_by=None):
- from webnotes.utils import now
- if dn and dt!=dn:
- self.sql("""update `tab%s` set `%s`=%s, modified=%s, modified_by=%s
- where name=%s""" % (dt, field, "%s", "%s", "%s", "%s"),
- (val, modified or now(), modified_by or webnotes.session["user"], dn))
- else:
- if self.sql("select value from tabSingles where field=%s and doctype=%s", (field, dt)):
- self.sql("update tabSingles set value=%s where field=%s and doctype=%s", (val, field, dt))
- else:
- self.sql("insert into tabSingles(doctype, field, value) values (%s, %s, %s)", (dt, field, val))
-
- def set(self, doc, field, val):
- from webnotes.utils import now
- doc.modified = now()
- doc.modified_by = webnotes.session["user"]
- self.set_value(doc.doctype, doc.name, field, val, doc.modified, doc.modified_by)
- doc.fields[field] = val
-
- def set_global(self, key, val, user='__global'):
- res = self.sql('select defkey from `tabDefaultValue` where defkey=%s and parent=%s', (key, user))
- if res:
- self.sql('update `tabDefaultValue` set defvalue=%s where parent=%s and defkey=%s', (str(val), user, key))
- else:
- self.sql('insert into `tabDefaultValue` (name, defkey, defvalue, parent) values (%s,%s,%s,%s)', (user+'_'+key, key, str(val), user))
-
- def get_global(self, key, user='__global'):
- g = self.sql("select defvalue from tabDefaultValue where defkey=%s and parent=%s", (key, user))
- return g and g[0][0] or None
-
- def get_globals_like(self, key):
- return [g[0] for g in self.sql("""select defvalue from tabDefaultValue
- where defkey like %s and parent='__global'""", key)]
-
- def set_default(self, key, val, parent="Control Panel"):
- """set control panel default (tabDefaultVal)"""
-
- if self.sql("""select defkey from `tabDefaultValue` where
- defkey=%s and parent=%s """, (key, parent)):
- # update
- self.sql("""update `tabDefaultValue` set defvalue=%s
- where parent=%s and defkey=%s""", (val, parent, key))
- webnotes.clear_cache()
- else:
- self.add_default(key, val, parent)
-
- def add_default(self, key, val, parent="Control Panel"):
- d = webnotes.doc('DefaultValue')
- d.parent = parent
- d.parenttype = 'Control Panel' # does not matter
- d.parentfield = 'system_defaults'
- d.defkey = key
- d.defvalue = val
- d.save(1)
- webnotes.clear_cache()
-
- def get_default(self, key, parent="Control Panel"):
- """get default value"""
- ret = self.get_defaults_as_list(key, parent)
- return ret and ret[0] or None
-
- def get_defaults_as_list(self, key, parent="Control Panel"):
- ret = [r[0] for r in self.sql("""select defvalue from \
- tabDefaultValue where defkey=%s and parent=%s""", (key, parent))]
- if key in ["owner", "user"] and webnotes.session:
- ret.append(webnotes.session.user)
- return ret
-
- def get_defaults(self, key=None, parent="Control Panel"):
- """get all defaults"""
- if key:
- return self.get_default(key, parent)
- else:
- res = self.sql("""select defkey, defvalue from `tabDefaultValue`
- where parent = %s""", parent, as_dict=1)
- defaults = webnotes._dict({})
- for d in res:
- if d.defkey in defaults:
- # listify
- if isinstance(defaults[d.defkey], basestring):
- defaults[d.defkey] = [defaults[d.defkey]]
- defaults[d.defkey].append(d.defvalue)
- else:
- defaults[d.defkey] = d.defvalue
-
- return defaults
-
- def begin(self):
- if not self.in_transaction:
- self.sql("start transaction")
-
- def commit(self):
- self.sql("commit")
-
- def rollback(self):
- self.sql("ROLLBACK")
-
- def field_exists(self, dt, fn):
- return self.sql("select name from tabDocField where fieldname=%s and parent=%s", (dt, fn))
-
- def table_exists(self, tablename):
- return tablename in [d[0] for d in self.sql("show tables")]
-
- def exists(self, dt, dn=None):
- if isinstance(dt, basestring):
- try:
- return self.sql('select name from `tab%s` where name=%s' % (dt, '%s'), dn)
- except:
- return None
- elif isinstance(dt, dict) and dt.get('doctype'):
- try:
- conditions = []
- for d in dt:
- if d == 'doctype': continue
- conditions.append('`%s` = "%s"' % (d, dt[d].replace('"', '\"')))
- return self.sql('select name from `tab%s` where %s' % \
- (dt['doctype'], " and ".join(conditions)))
- except:
- return None
-
- def get_table_columns(self, doctype):
- return [r[0] for r in self.sql("DESC `tab%s`" % doctype)]
-
- def close(self):
- if self._conn:
- self._cursor.close()
- self._conn.close()
- self._cursor = None
- self._conn = None
|