|
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397 |
- # 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.
- #
-
- from __future__ import unicode_literals
- """
- Transactions are defined as collection of classes, a ModelWrapper represents collection of Document
- objects for a transaction with main and children.
-
- Group actions like save, etc are performed on doclists
- """
-
- import webnotes
- import json, os
- import webnotes.model
- import webnotes.model.doc
- import webnotes.model.wrapper
- import webnotes.utils.cache
-
- from webnotes import _
- from webnotes.utils import cint, cstr, now_datetime, get_datetime, get_datetime_str, comma_and, cast
-
- controllers = webnotes.DictObj()
-
- def get(doctype, name=None, module=None):
- """return controller object"""
- global controllers
-
- doclist = doctype
- if isinstance(doctype, list):
- doctype = doclist[0]["doctype"]
-
- # return if already loaded
- if doctype not in controllers:
-
- from webnotes.modules import get_doc_path, scrub
-
- module_name = module or webnotes.conn.get_value("DocType", doctype, "module") or "Core"
- doc_path = get_doc_path(module_name, 'doctype', doctype)
- module_path = os.path.join(doc_path, scrub(doctype)+'.py')
-
- # load translations
- if webnotes.can_translate():
- from webnotes.utils.translate import get_lang_data
- webnotes._messages.update(get_lang_data(doc_path, None, 'py'))
-
- # vanilla controller
- controllers[doctype] = get_controller_class(module_name, doctype, module_path)
-
- return controllers[doctype](doclist, name)
-
-
- def get_controller_class(module_name, doctype, module_path):
- if os.path.exists(module_path):
- from webnotes.modules import get_doc_path, scrub
- module = __import__(scrub(module_name) + '.doctype.' + scrub(doctype) + '.' \
- + scrub(doctype), fromlist = [scrub(doctype)])
-
- # find controller in module
- import inspect
- for attr in dir(module):
- attrobj = getattr(module, attr)
- if inspect.isclass(attrobj) and attr.startswith(doctype.replace(' ', '').replace('-', '')) \
- and issubclass(attrobj, ModelWrapperController):
- return attrobj
-
- return ModelWrapperController
-
- class ModelWrapperController(object):
- """
- Collection of Documents with one parent and multiple children
- """
- def __init__(self, doctype=None, name=None):
- if doctype:
- self.load(doctype, name)
- if hasattr(self, "setup"):
- self.setup()
-
- def load(self, doctype, name=None):
- if isinstance(doctype, list):
- self.set_doclist(doctype)
- return
-
- if not name: name = doctype
-
- self.set_doclist(self.load_doclist(doctype, name))
-
- def load_doclist(self, doctype, name):
- return webnotes.model.wrapper.load(doctype, name)
-
- def set_doclist(self, doclist):
- if not isinstance(doclist, webnotes.model.wrapper.ModelWrapper):
- self.doclist = webnotes.model.wrapper.objectify(doclist)
- else:
- self.doclist = doclist
- self.doc = self.doclist[0]
-
- def save(self):
- """Save the doclist"""
- # if docstatus is null, set it as 0
- self.doc.docstatus = self.doc.docstatus or 0
-
- self.prepare_for_save()
- self.run('validate')
- self.doctype_validate()
-
- from webnotes.model.doctype import get_property
- if get_property(self.doc.doctype, "document_type") in ["Master", "Transaction"]\
- and not self.doc.get("__islocal"):
- from webnotes.model.wrapper import load
- # get the old doclist
- try:
- oldlist = load(self.doc.doctype, self.doc.name)
- except NameError, e:
- oldlist = None
- else:
- oldlist = None
-
- self.save_main()
- self.save_children()
- self.run('on_update')
-
- # version is saved after save, because we need names
- if oldlist:
- self.save_version(oldlist)
-
- def prepare_for_save(self):
- """Set owner, modified etc before saving"""
- self.check_if_latest()
- self.check_permission()
- self.check_links()
- self.check_mandatory()
- self.update_timestamps()
-
- def save_main(self):
- """Save the main doc"""
- self.doc.save(cint(self.doc.get('__islocal')))
-
- def save_children(self):
- """Save Children, with the new parent name"""
- child_map = {}
-
- for d in self.doclist[1:]:
- if d.has_key('parentfield'):
- d.parent = self.doc.name # rename if reqd
- d.parenttype = self.doc.doctype
-
- # set docstatus of children as that of parent
- d.docstatus = self.doc.docstatus
- d.modified = self.doc.modified
- d.modified_by = self.doc.modified_by
-
- d.save(new = cint(d.get('__islocal')))
-
- child_map.setdefault(d.doctype, []).append(d.name)
-
- # delete all children in database that are not in the child_map
- self.remove_children(child_map)
-
- def save_version(self, oldlist):
- """create a new version of given difflist"""
- from webnotes.model.versions import save_version
- save_version(oldlist, self.doclist)
-
- def remove_children(self, child_map):
- """delete children from database if they do not exist in the doclist"""
- # get all children types
- tablefields = webnotes.conn.get_table_fields(self.doc.doctype)
-
- for dt in tablefields:
- cnames = child_map.get(dt['options']) or []
- if cnames:
- webnotes.conn.sql("""delete from `tab%s` where parent=%s
- and parenttype=%s and name not in (%s)""" % \
- (dt['options'], '%s', '%s', ','.join(['%s'] * len(cnames))),
- tuple([self.doc.name, self.doc.doctype] + cnames))
- else:
- webnotes.conn.sql("""delete from `tab%s` where parent=%s
- and parenttype=%s""" % (dt['options'], '%s', '%s'),
- (self.doc.name, self.doc.doctype))
-
- def check_if_latest(self):
- """Raises exception if the modified time is not the same as in the database"""
- if not (webnotes.conn.is_single(self.doc.doctype) or \
- cint(self.doc.get('__islocal'))):
- modified = webnotes.conn.sql("""select modified from `tab%s`
- where name=%s for update""" % (self.doc.doctype, "%s"),
- self.doc.name or "")
-
- if modified and get_datetime_str(modified[0].modified) != \
- get_datetime_str(self.doc.modified):
- webnotes.msgprint(_("""Document has been modified after you have opened it.
- To maintain the integrity of the data, you will not be able to save
- your changes. Please refresh this document.)"""),
- raise_exception=webnotes.IntegrityError)
-
- def check_permission(self):
- """Raises exception if permission is not valid"""
- # hail the administrator - nothing can stop you!
- if webnotes.session.user == "Administrator":
- return
-
- doctypelist = webnotes.model.get_doctype("DocType", self.doc.doctype)
- if not hasattr(self, "user_roles"):
- self.user_roles = webnotes.user and webnotes.user.get_roles() or ["Guest"]
- if not hasattr(self, "user_defaults"):
- self.user_defaults = webnotes.user and webnotes.user.get_defaults() or {}
-
- has_perm = False
- match = []
-
- # check if permission exists and if there is any match condition
- for perm in doctypelist.get({"doctype": "DocPerm"}):
- if cint(perm.permlevel) == 0 and cint(perm.read) == 1 and perm.role in self.user_roles:
- has_perm = True
- if perm.match and match != -1:
- match.append(perm.match)
- else:
- # this indicates that there exists atleast one permission
- # where match is not specified
- match = -1
-
- # check match conditions
- if has_perm and match and match != -1:
- for match_field in match:
- if self.doc.get(match_field, "no_value") in self.user_defaults.get(match_field, []):
- # field value matches with user's credentials
- has_perm = True
- break
- else:
- # oops, illegal value
- has_perm = False
- webnotes.msgprint(_("""Value: "%s" is not allowed for field "%s" """) % \
- (self.doc.get(match_field, "no_value"),
- doctypelist.get_field(match_field).label))
-
- if not has_perm:
- webnotes.msgprint(_("""Not enough permissions to save %s: "%s" """) % \
- (self.doc.doctype, self.doc.name), raise_exception=webnotes.PermissionError)
-
- def check_links(self):
- """Checks integrity of links (throws exception if links are invalid)"""
- from webnotes.model.doctype import get_link_fields
- link_fields = {}
- error_list = []
- for doc in self.doclist:
- for lf in link_fields.setdefault(doc.doctype, get_link_fields(doc.doctype)):
- options = (lf.options or "").split("\n")[0].strip()
- options = options.startswith("link:") and options[5:] or options
- if doc.get(lf.fieldname) and options and \
- not webnotes.conn.exists(options, doc[lf.fieldname]):
- error_list.append((options, doc[lf.fieldname], lf.label))
-
- if error_list:
- webnotes.msgprint(_("""The following values do not exist in the database: %s.
- Please correct these values and try to save again.""") % \
- comma_and(["%s: \"%s\" (specified in field: %s)" % err for err in error_list]),
- raise_exception=webnotes.InvalidLinkError)
-
- def check_mandatory(self):
- """check if all required fields have value"""
- reqd = []
- for doc in self.doclist:
- for df in webnotes.model.get_doctype(doc.doctype).get({
- "parent": doc.doctype, "doctype": "DocField", "reqd": 1}):
- if doc.get(df.fieldname) is None:
- reqd.append("""\"%s\" is a Mandatory field [in %s%s]""" % \
- (df.label, df.parent, doc.idx and " - %d" % doc.idx or ""))
- if reqd:
- webnotes.msgprint(_("In") + " %s - %s\n" % (self.doc.doctype, self.doc.name or "") +
- "\n".join(reqd),
- raise_exception=webnotes.MandatoryError)
-
- def update_timestamps(self):
- """Update owner, creation, modified_by, modified, docstatus"""
- ts = get_datetime(now_datetime())
-
- for d in self.doclist:
- if self.doc.get('__islocal'):
- d.owner = webnotes.session.user
- d.creation = ts
-
- d.modified_by = webnotes.session.user
- d.modified = ts
-
- def doctype_validate(self):
- """run DocType Validator"""
- from core.doctype.doctype_validator.doctype_validator import validate
- validate(self)
-
- def run(self, method, args=None):
- if hasattr(self, method):
- if args:
- getattr(self, method)(args)
- else:
- getattr(self, method)()
-
- # if possible, deprecate
- trigger(method, self.doclist[0])
-
- def clear_table(self, table_field):
- self.doclist = filter(lambda d: d.parentfield != table_field, self.doclist)
-
- def add_child(self, doc):
- """add a child doc to doclist"""
- # make child
- if not isinstance(doc, webnotes.model.doc.Document):
- doc = webnotes.model.doc.Document(fielddata = doc)
- doc.__islocal = 1
- doc.parent = self.doc.name
- doc.parenttype = self.doc.doctype
- # parentfield is to be supplied in the doc
-
- # add to doclist
- self.doclist.append(doc)
-
- def export(self):
- """export current doc to file system"""
- import conf
- if (getattr(conf,'developer_mode', 0) and not getattr(webnotes, 'syncing', False)
- and not getattr(webnotes, "testing", False)):
- from webnotes.modules.export import export_to_files
- export_to_files(record_list=self.doclist)
-
- def set_as_default(self, filters=None):
- """sets is_default to 0 in rest of the related documents"""
- if self.doc.is_default:
- conditions, filters = webnotes.conn.build_conditions(filters)
- filters.update({"name": self.doc.name})
- webnotes.conn.sql("""update `tab%s` set `is_default`=0
- where %s and name!=%s""" % (self.doc.doctype, conditions, "%(name)s"),
- filters)
-
- def set_default_values(self):
- """set's default values in doclist"""
- import webnotes.model.utils
- for doc in self.doclist:
- for df in webnotes.model.get_doctype(doc.doctype).get({
- "parent": doc.doctype, "doctype": "DocField"}):
- if doc.get(df.fieldname) in [None, ""] and df.default:
- doc[df.fieldname] = cast(df, df.default)
-
- # TODO: should this method be here?
- def get_csv_from_attachment(self):
- """get csv from attachment"""
- if not self.doc.file_list:
- msgprint("File not attached!")
- raise Exception
-
- # get file_id
- fid = self.doc.file_list.split(',')[1]
-
- # get file from file_manager
- try:
- from webnotes.utils import file_manager
- fn, content = file_manager.get_file(fid)
- except Exception, e:
- webnotes.msgprint(_("Unable to open attached file. Please try again."))
- raise e
-
- # convert char to string (?)
- if not isinstance(content, basestring) and hasattr(content, 'tostring'):
- content = content.tostring()
-
- import csv
- return csv.reader(content.splitlines())
-
- def trigger(method, doc):
- """trigger doctype events"""
- try:
- import startup.event_handlers
- except ImportError:
- return
-
- if hasattr(startup.event_handlers, method):
- getattr(startup.event_handlers, method)(doc)
-
- if hasattr(startup.event_handlers, 'doclist_all'):
- startup.event_handlers.doclist_all(doc, method)
|