You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

пре 13 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 13 година
пре 13 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 12 година
пре 14 година
пре 13 година
пре 13 година
пре 13 година
пре 12 година
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721
  1. # Copyright (c) 2012 Web Notes Technologies Pvt Ltd (http://erpnext.com)
  2. #
  3. # MIT License (MIT)
  4. #
  5. # Permission is hereby granted, free of charge, to any person obtaining a
  6. # copy of this software and associated documentation files (the "Software"),
  7. # to deal in the Software without restriction, including without limitation
  8. # the rights to use, copy, modify, merge, publish, distribute, sublicense,
  9. # and/or sell copies of the Software, and to permit persons to whom the
  10. # Software is furnished to do so, subject to the following conditions:
  11. #
  12. # The above copyright notice and this permission notice shall be included in
  13. # all copies or substantial portions of the Software.
  14. #
  15. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED,
  16. # INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A
  17. # PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT
  18. # HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF
  19. # CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE
  20. # OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
  21. #
  22. from __future__ import unicode_literals
  23. """
  24. Contains the Document class representing an object / record
  25. """
  26. import webnotes
  27. import webnotes.model.meta
  28. from webnotes.utils import *
  29. valid_fields_map = {}
  30. class Document:
  31. """
  32. The wn(meta-data)framework equivalent of a Database Record.
  33. Stores,Retrieves,Updates the record in the corresponding table.
  34. Runs the triggers required.
  35. The `Document` class represents the basic Object-Relational Mapper (ORM). The object type is defined by
  36. `DocType` and the object ID is represented by `name`::
  37. Please note the anamoly in the Web Notes Framework that `ID` is always called as `name`
  38. If both `doctype` and `name` are specified in the constructor, then the object is loaded from the database.
  39. If only `doctype` is given, then the object is not loaded
  40. If `fielddata` is specfied, then the object is created from the given dictionary.
  41. **Note 1:**
  42. The getter and setter of the object are overloaded to map to the fields of the object that
  43. are loaded when it is instantiated.
  44. For example: doc.name will be the `name` field and doc.owner will be the `owner` field
  45. **Note 2 - Standard Fields:**
  46. * `name`: ID / primary key
  47. * `owner`: creator of the record
  48. * `creation`: datetime of creation
  49. * `modified`: datetime of last modification
  50. * `modified_by` : last updating user
  51. * `docstatus` : Status 0 - Saved, 1 - Submitted, 2- Cancelled
  52. * `parent` : if child (table) record, this represents the parent record
  53. * `parenttype` : type of parent record (if any)
  54. * `parentfield` : table fieldname of parent record (if any)
  55. * `idx` : Index (sequence) of the child record
  56. """
  57. def __init__(self, doctype = None, name = None, fielddata = None, prefix='tab'):
  58. self._roles = []
  59. self._perms = []
  60. self._user_defaults = {}
  61. self._prefix = prefix
  62. if isinstance(doctype, dict):
  63. fielddata = doctype
  64. doctype = None
  65. if fielddata:
  66. self.fields = webnotes._dict(fielddata)
  67. else:
  68. self.fields = webnotes._dict()
  69. if not self.fields.has_key('name'):
  70. self.fields['name']='' # required on save
  71. if not self.fields.has_key('doctype'):
  72. self.fields['doctype']='' # required on save
  73. if not self.fields.has_key('owner'):
  74. self.fields['owner']='' # required on save
  75. if doctype:
  76. self.fields['doctype'] = doctype
  77. if name:
  78. self.fields['name'] = name
  79. self.__initialized = 1
  80. if (doctype and name):
  81. self._loadfromdb(doctype, name)
  82. else:
  83. if not fielddata:
  84. self.fields['__islocal'] = 1
  85. if not self.fields.docstatus:
  86. self.fields.docstatus = 0
  87. def __nonzero__(self):
  88. return True
  89. def __str__(self):
  90. return str(self.fields)
  91. def __eq__(self, other):
  92. return self.fields == other.fields
  93. def __getstate__(self):
  94. return self.fields
  95. def __setstate__(self, d):
  96. self.fields = d
  97. # Load Document
  98. # ---------------------------------------------------------------------------
  99. def encode(self, encoding='utf-8'):
  100. """convert all unicode values to utf-8"""
  101. for key in self.fields:
  102. if isinstance(self.fields[key], unicode):
  103. self.fields[key] = self.fields[key].encode(encoding)
  104. def _loadfromdb(self, doctype = None, name = None):
  105. if name: self.name = name
  106. if doctype: self.doctype = doctype
  107. is_single = False
  108. try:
  109. is_single = webnotes.model.meta.is_single(self.doctype)
  110. except Exception, e:
  111. pass
  112. if is_single:
  113. self._loadsingle()
  114. else:
  115. dataset = webnotes.conn.sql('select * from `%s%s` where name="%s"' % (self._prefix, self.doctype, self.name.replace('"', '\"')))
  116. if not dataset:
  117. raise Exception, '[WNF] %s %s does not exist' % (self.doctype, self.name)
  118. self._load_values(dataset[0], webnotes.conn.get_description())
  119. # Load Fields from dataset
  120. # ---------------------------------------------------------------------------
  121. def _load_values(self, data, description):
  122. if '__islocal' in self.fields:
  123. del self.fields['__islocal']
  124. for i in range(len(description)):
  125. v = data[i]
  126. self.fields[description[i][0]] = webnotes.conn.convert_to_simple_type(v)
  127. def _merge_values(self, data, description):
  128. for i in range(len(description)):
  129. v = data[i]
  130. if v: # only if value, over-write
  131. self.fields[description[i][0]] = webnotes.conn.convert_to_simple_type(v)
  132. # Load Single Type
  133. # ---------------------------------------------------------------------------
  134. def _loadsingle(self):
  135. self.name = self.doctype
  136. self.fields.update(getsingle(self.doctype))
  137. # Setter
  138. # ---------------------------------------------------------------------------
  139. def __setattr__(self, name, value):
  140. # normal attribute
  141. if not self.__dict__.has_key('_Document__initialized'):
  142. self.__dict__[name] = value
  143. elif self.__dict__.has_key(name):
  144. self.__dict__[name] = value
  145. else:
  146. # field attribute
  147. f = self.__dict__['fields']
  148. f[name] = value
  149. # Getter
  150. # ---------------------------------------------------------------------------
  151. def __getattr__(self, name):
  152. if self.__dict__.has_key(name):
  153. return self.__dict__[name]
  154. elif self.fields.has_key(name):
  155. return self.fields[name]
  156. else:
  157. return ''
  158. # Get Amendement number
  159. # ---------------------------------------------------------------------------
  160. def _get_amended_name(self):
  161. am_id = 1
  162. am_prefix = self.amended_from
  163. if webnotes.conn.sql('select amended_from from `tab%s` where name = "%s"' % (self.doctype, self.amended_from))[0][0] or '':
  164. am_id = cint(self.amended_from.split('-')[-1]) + 1
  165. am_prefix = '-'.join(self.amended_from.split('-')[:-1]) # except the last hyphen
  166. self.name = am_prefix + '-' + str(am_id)
  167. # Set Name
  168. # ---------------------------------------------------------------------------
  169. def _set_name(self, autoname, istable):
  170. self.localname = self.name
  171. # get my object
  172. import webnotes.model.code
  173. so = webnotes.model.code.get_server_obj(self, [])
  174. # amendments
  175. if self.amended_from:
  176. self._get_amended_name()
  177. # by method
  178. elif so and hasattr(so, 'autoname'):
  179. r = webnotes.model.code.run_server_obj(so, 'autoname')
  180. if r: return r
  181. # based on a field
  182. elif autoname and autoname.startswith('field:'):
  183. n = self.fields[autoname[6:]]
  184. if not n:
  185. raise Exception, 'Name is required'
  186. self.name = n.strip()
  187. elif autoname and autoname.startswith("naming_series:"):
  188. if not self.naming_series:
  189. # pick default naming series
  190. from webnotes.model.doctype import get_property
  191. self.naming_series = get_property(self.doctype, "options", "naming_series").split("\n")
  192. self.naming_series = self.naming_series[0] or self.naming_series[1]
  193. self.name = make_autoname(self.naming_series+'.#####')
  194. # based on expression
  195. elif autoname and autoname.startswith('eval:'):
  196. doc = self # for setting
  197. self.name = eval(autoname[5:])
  198. # call the method!
  199. elif autoname and autoname!='Prompt':
  200. self.name = make_autoname(autoname, self.doctype)
  201. # given
  202. elif self.fields.get('__newname',''):
  203. self.name = self.fields['__newname']
  204. # default name for table
  205. elif istable:
  206. self.name = make_autoname('#########', self.doctype)
  207. # unable to determine a name, use a serial number!
  208. if not self.name:
  209. self.name = make_autoname('#########', self.doctype)
  210. # Validate Name
  211. # ---------------------------------------------------------------------------
  212. def _validate_name(self, case):
  213. if webnotes.conn.sql('select name from `tab%s` where name=%s' % (self.doctype,'%s'), self.name):
  214. raise NameError, 'Name %s already exists' % self.name
  215. # no name
  216. if not self.name: return 'No Name Specified for %s' % self.doctype
  217. # new..
  218. if self.name.startswith('New '+self.doctype):
  219. raise NameError, 'There were some errors setting the name, please contact the administrator'
  220. if case=='Title Case': self.name = self.name.title()
  221. if case=='UPPER CASE': self.name = self.name.upper()
  222. self.name = self.name.strip() # no leading and trailing blanks
  223. forbidden = ['%', "'", '"', '#', '*', '?', '`']
  224. for f in forbidden:
  225. if f in self.name:
  226. webnotes.msgprint('%s not allowed in ID (name)' % f, raise_exception =1)
  227. # Insert
  228. # ---------------------------------------------------------------------------
  229. def insert(self, autoname, istable, case='', make_autoname=1, keep_timestamps=False):
  230. # set name
  231. if make_autoname:
  232. self._set_name(autoname, istable)
  233. # validate name
  234. self._validate_name(case)
  235. # insert!
  236. if not keep_timestamps:
  237. if not self.owner:
  238. self.owner = webnotes.session['user']
  239. self.modified_by = webnotes.session['user']
  240. self.creation = self.modified = now()
  241. webnotes.conn.sql("insert into `tab%(doctype)s`" % self.fields \
  242. + """ (name, owner, creation, modified, modified_by)
  243. values (%(name)s, %(owner)s, %(creation)s, %(modified)s,
  244. %(modified_by)s)""", self.fields)
  245. # Update Values
  246. # ---------------------------------------------------------------------------
  247. def _update_single(self, link_list):
  248. update_str = ["(%s, 'modified', %s)",]
  249. values = [self.doctype, now()]
  250. webnotes.conn.sql("delete from tabSingles where doctype='%s'" % self.doctype)
  251. for f in self.fields.keys():
  252. if not (f in ('modified', 'doctype', 'name', 'perm', 'localname', 'creation'))\
  253. and (not f.startswith('__')): # fields not saved
  254. # validate links
  255. if link_list and link_list.get(f):
  256. self.fields[f] = self._validate_link(link_list[f][0], self.fields[f])
  257. if self.fields[f]==None:
  258. update_str.append("(%s,%s,NULL)")
  259. values.append(self.doctype)
  260. values.append(f)
  261. else:
  262. update_str.append("(%s,%s,%s)")
  263. values.append(self.doctype)
  264. values.append(f)
  265. values.append(self.fields[f])
  266. webnotes.conn.sql("insert into tabSingles(doctype, field, value) values %s" % (', '.join(update_str)), values)
  267. # Validate Links
  268. # ---------------------------------------------------------------------------
  269. def validate_links(self, link_list):
  270. err_list = []
  271. for f in self.fields.keys():
  272. # validate links
  273. old_val = self.fields[f]
  274. if link_list and link_list.get(f):
  275. self.fields[f] = self._validate_link(link_list[f][0], self.fields[f])
  276. if old_val and not self.fields[f]:
  277. s = link_list[f][1] + ': ' + old_val
  278. err_list.append(s)
  279. return err_list
  280. def make_link_list(self):
  281. res = webnotes.model.meta.get_link_fields(self.doctype)
  282. link_list = {}
  283. for i in res: link_list[i[0]] = (i[1], i[2]) # options, label
  284. return link_list
  285. def _validate_link(self, dt, dn):
  286. if not dt: return dn
  287. if not dn: return None
  288. if dt=="[Select]": return dn
  289. if dt.lower().startswith('link:'):
  290. dt = dt[5:]
  291. if '\n' in dt:
  292. dt = dt.split('\n')[0]
  293. tmp = webnotes.conn.sql("""SELECT name FROM `tab%s`
  294. WHERE name = %s""" % (dt, '%s'), dn)
  295. return tmp and tmp[0][0] or ''# match case
  296. def _update_values(self, issingle, link_list, ignore_fields=0, keep_timestamps=False):
  297. if issingle:
  298. self._update_single(link_list)
  299. else:
  300. update_str, values = [], []
  301. # set modified timestamp
  302. if self.modified and not keep_timestamps:
  303. self.modified = now()
  304. self.modified_by = webnotes.session['user']
  305. fields_list = ignore_fields and self.get_valid_fields() or self.fields.keys()
  306. for f in fields_list:
  307. if (not (f in ('doctype', 'name', 'perm', 'localname',
  308. 'creation','_user_tags'))) and (not f.startswith('__')):
  309. # fields not saved
  310. # validate links
  311. if link_list and link_list.get(f):
  312. self.fields[f] = self._validate_link(link_list[f][0],
  313. self.fields.get(f))
  314. if self.fields.get(f) is None or self.fields.get(f)=='':
  315. update_str.append("`%s`=NULL" % f)
  316. else:
  317. values.append(self.fields.get(f))
  318. update_str.append("`%s`=%s" % (f, '%s'))
  319. if values:
  320. values.append(self.name)
  321. r = webnotes.conn.sql("update `tab%s` set %s where name=%s" % \
  322. (self.doctype, ', '.join(update_str), "%s"), values)
  323. def get_valid_fields(self):
  324. global valid_fields_map
  325. if not valid_fields_map.get(self.doctype):
  326. import webnotes.model.doctype
  327. if cint(webnotes.conn.get_value("DocType", self.doctype, "issingle")):
  328. doctypelist = webnotes.model.doctype.get(self.doctype)
  329. valid_fields_map[self.doctype] = doctypelist.get_fieldnames({
  330. "fieldtype": ["not in", webnotes.model.no_value_fields]})
  331. else:
  332. valid_fields_map[self.doctype] = \
  333. webnotes.conn.get_table_columns(self.doctype)
  334. return valid_fields_map.get(self.doctype)
  335. def save(self, new=0, check_links=1, ignore_fields=0, make_autoname=1,
  336. keep_timestamps=False):
  337. """
  338. Saves the current record in the database.
  339. If new = 1, creates a new instance of the record.
  340. Also clears temperory fields starting with `__`
  341. * if check_links is set, it validates all `Link` fields
  342. * if ignore_fields is sets, it does not throw an exception
  343. for any field that does not exist in the database table
  344. """
  345. res = webnotes.model.meta.get_dt_values(self.doctype,
  346. 'autoname, issingle, istable, name_case', as_dict=1)
  347. res = res and res[0] or {}
  348. # add missing parentinfo (if reqd)
  349. if self.parent and not (self.parenttype and self.parentfield):
  350. self.update_parentinfo()
  351. if self.parent and not self.idx:
  352. self.set_idx()
  353. # if required, make new
  354. if new or (not new and self.fields.get('__islocal')) and (not res.get('issingle')):
  355. # new
  356. r = self.insert(res.get('autoname'), res.get('istable'), res.get('name_case'),
  357. make_autoname, keep_timestamps = keep_timestamps)
  358. if r:
  359. return r
  360. else:
  361. if not res.get('issingle') and not webnotes.conn.exists(self.doctype, self.name):
  362. webnotes.msgprint("""This document was updated before your change. Please refresh before saving.""", raise_exception=1)
  363. # save the values
  364. self._update_values(res.get('issingle'),
  365. check_links and self.make_link_list() or {}, ignore_fields=ignore_fields,
  366. keep_timestamps=keep_timestamps)
  367. self._clear_temp_fields()
  368. def update_parentinfo(self):
  369. """update parent type and parent field, if not explicitly specified"""
  370. tmp = webnotes.conn.sql("""select parent, fieldname from tabDocField
  371. where fieldtype='Table' and options=%s""", self.doctype)
  372. if len(tmp)==0:
  373. raise Exception, 'Incomplete parent info in child table (%s, %s)' \
  374. % (self.doctype, self.fields.get('name', '[new]'))
  375. elif len(tmp)>1:
  376. raise Exception, 'Ambiguous parent info (%s, %s)' \
  377. % (self.doctype, self.fields.get('name', '[new]'))
  378. else:
  379. self.parenttype = tmp[0][0]
  380. self.parentfield = tmp[0][1]
  381. def set_idx(self):
  382. """set idx"""
  383. self.idx = (webnotes.conn.sql("""select max(idx) from `tab%s`
  384. where parent=%s and parentfield=%s""" % (self.doctype, '%s', '%s'),
  385. (self.parent, self.parentfield))[0][0] or 0) + 1
  386. def _clear_temp_fields(self):
  387. # clear temp stuff
  388. keys = self.fields.keys()
  389. for f in keys:
  390. if f.startswith('__'):
  391. del self.fields[f]
  392. def clear_table(self, doclist, tablefield, save=0):
  393. """
  394. Clears the child records from the given `doclist` for a particular `tablefield`
  395. """
  396. from webnotes.model.utils import getlist
  397. table_list = getlist(doclist, tablefield)
  398. delete_list = [d.name for d in table_list]
  399. if delete_list:
  400. #filter doclist
  401. doclist = filter(lambda d: d.name not in delete_list, doclist)
  402. # delete from db
  403. webnotes.conn.sql("""\
  404. delete from `tab%s`
  405. where parent=%s and parenttype=%s"""
  406. % (table_list[0].doctype, '%s', '%s'),
  407. (self.name, self.doctype))
  408. self.fields['__unsaved'] = 1
  409. return webnotes.doclist(doclist)
  410. def addchild(self, fieldname, childtype = '', doclist=None):
  411. """
  412. Returns a child record of the give `childtype`.
  413. * if local is set, it does not save the record
  414. * if doclist is passed, it append the record to the doclist
  415. """
  416. d = Document()
  417. d.parent = self.name
  418. d.parenttype = self.doctype
  419. d.parentfield = fieldname
  420. d.doctype = childtype
  421. d.docstatus = 0;
  422. d.name = ''
  423. d.owner = webnotes.session['user']
  424. d.fields['__islocal'] = 1 # for Client to identify unsaved doc
  425. if doclist != None:
  426. doclist.append(d)
  427. return d
  428. def get_values(self):
  429. """get non-null fields dict withouth standard fields"""
  430. from webnotes.model import default_fields
  431. ret = {}
  432. for key in self.fields:
  433. if key not in default_fields and self.fields[key]:
  434. ret[key] = self.fields[key]
  435. return ret
  436. def addchild(parent, fieldname, childtype = '', doclist=None):
  437. """
  438. Create a child record to the parent doc.
  439. Example::
  440. c = Document('Contact','ABC')
  441. d = addchild(c, 'contact_updates', 'Contact Update')
  442. d.last_updated = 'Phone call'
  443. d.save(1)
  444. """
  445. return parent.addchild(fieldname, childtype, doclist)
  446. # Naming
  447. # ------
  448. def make_autoname(key, doctype=''):
  449. """
  450. Creates an autoname from the given key:
  451. **Autoname rules:**
  452. * The key is separated by '.'
  453. * '####' represents a series. The string before this part becomes the prefix:
  454. Example: ABC.#### creates a series ABC0001, ABC0002 etc
  455. * 'MM' represents the current month
  456. * 'YY' and 'YYYY' represent the current year
  457. *Example:*
  458. * DE/./.YY./.MM./.##### will create a series like
  459. DE/09/01/0001 where 09 is the year, 01 is the month and 0001 is the series
  460. """
  461. n = ''
  462. l = key.split('.')
  463. for e in l:
  464. en = ''
  465. if e.startswith('#'):
  466. digits = len(e)
  467. en = getseries(n, digits, doctype)
  468. elif e=='YY':
  469. import time
  470. en = time.strftime('%y')
  471. elif e=='MM':
  472. import time
  473. en = time.strftime('%m')
  474. elif e=='YYYY':
  475. import time
  476. en = time.strftime('%Y')
  477. else: en = e
  478. n+=en
  479. return n
  480. # Get Series for Autoname
  481. # -----------------------
  482. def getseries(key, digits, doctype=''):
  483. # series created ?
  484. if webnotes.conn.sql("select name from tabSeries where name='%s'" % key):
  485. # yes, update it
  486. webnotes.conn.sql("update tabSeries set current = current+1 where name='%s'" % key)
  487. # find the series counter
  488. r = webnotes.conn.sql("select current from tabSeries where name='%s'" % key)
  489. n = r[0][0]
  490. else:
  491. # no, create it
  492. webnotes.conn.sql("insert into tabSeries (name, current) values ('%s', 1)" % key)
  493. n = 1
  494. return ('%0'+str(digits)+'d') % n
  495. # Get Children
  496. # ------------
  497. def getchildren(name, childtype, field='', parenttype='', from_doctype=0, prefix='tab'):
  498. import webnotes
  499. from webnotes.model.doclist import DocList
  500. tmp = ''
  501. if field:
  502. tmp = ' and parentfield="%s" ' % field
  503. if parenttype:
  504. tmp = ' and parenttype="%s" ' % parenttype
  505. dataset = webnotes.conn.sql("select * from `%s%s` where parent='%s' %s order by idx" \
  506. % (prefix, childtype, name, tmp))
  507. desc = webnotes.conn.get_description()
  508. l = DocList()
  509. for i in dataset:
  510. d = Document()
  511. d.doctype = childtype
  512. d._load_values(i, desc)
  513. l.append(d)
  514. return l
  515. # Check if "Guest" is allowed to view this page
  516. # ---------------------------------------------
  517. def check_page_perm(doc):
  518. if doc.name=='Login Page':
  519. return
  520. if doc.publish:
  521. return
  522. if not webnotes.conn.sql("select name from `tabPage Role` where parent=%s and role='Guest'", doc.name):
  523. webnotes.response['403'] = 1
  524. raise webnotes.PermissionError, '[WNF] No read permission for %s %s' % ('Page', doc.name)
  525. def get_report_builder_code(doc):
  526. if doc.doctype=='Search Criteria':
  527. from webnotes.model.code import get_code
  528. if doc.standard != 'No':
  529. doc.report_script = get_code(doc.module, 'Search Criteria', doc.name, 'js')
  530. doc.custom_query = get_code(doc.module, 'Search Criteria', doc.name, 'sql')
  531. # called from everywhere
  532. # load a record and its child records and bundle it in a list - doclist
  533. # ---------------------------------------------------------------------
  534. def get(dt, dn='', with_children = 1, from_get_obj = 0, prefix = 'tab'):
  535. """
  536. Returns a doclist containing the main record and all child records
  537. """
  538. import webnotes
  539. import webnotes.model
  540. from webnotes.model.doclist import DocList
  541. dn = dn or dt
  542. # load the main doc
  543. doc = Document(dt, dn, prefix=prefix)
  544. # check permission - for doctypes, pages
  545. if (dt in ('DocType', 'Page', 'Control Panel', 'Search Criteria')) or (from_get_obj and webnotes.session.get('user') != 'Guest'):
  546. if dt=='Page' and webnotes.session['user'] == 'Guest':
  547. check_page_perm(doc)
  548. else:
  549. if not webnotes.has_permission(dt, "read", doc):
  550. webnotes.response['403'] = 1
  551. raise webnotes.ValidationError, '[WNF] No read permission for %s %s' % (dt, dn)
  552. if not with_children:
  553. # done
  554. return DocList([doc,])
  555. # get all children types
  556. tablefields = webnotes.model.meta.get_table_fields(dt)
  557. # load chilren
  558. doclist = DocList([doc,])
  559. for t in tablefields:
  560. doclist += getchildren(doc.name, t[0], t[1], dt, prefix=prefix)
  561. # import report_builder code
  562. if not from_get_obj:
  563. get_report_builder_code(doc)
  564. return doclist
  565. def getsingle(doctype):
  566. """get single doc as dict"""
  567. dataset = webnotes.conn.sql("select field, value from tabSingles where doctype=%s", doctype)
  568. return dict(dataset)