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.

519 lines
30 KiB

13 years ago
  1. # -*- encoding: utf-8 -*-
  2. ##############################################################################
  3. #
  4. # Asterisk Click2dial module for OpenERP
  5. # Copyright (C) 2010-2013 Alexis de Lattre <alexis@via.ecp.fr>
  6. #
  7. # This program is free software: you can redistribute it and/or modify
  8. # it under the terms of the GNU Affero General Public License as
  9. # published by the Free Software Foundation, either version 3 of the
  10. # License, or (at your option) any later version.
  11. #
  12. # This program is distributed in the hope that it will be useful,
  13. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  14. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  15. # GNU Affero General Public License for more details.
  16. #
  17. # You should have received a copy of the GNU Affero General Public License
  18. # along with this program. If not, see <http://www.gnu.org/licenses/>.
  19. #
  20. ##############################################################################
  21. from openerp.osv import fields, orm
  22. from openerp.tools.translate import _
  23. import logging
  24. # Lib for phone number reformating -> pip install phonenumbers
  25. import phonenumbers
  26. # Lib py-asterisk from http://code.google.com/p/py-asterisk/
  27. # We need a version which has this commit : http://code.google.com/p/py-asterisk/source/detail?r=8d0e1c941cce727c702582f3c9fcd49beb4eeaa4
  28. # so a version after Nov 20th, 2012
  29. from Asterisk import Manager
  30. _logger = logging.getLogger(__name__)
  31. class asterisk_server(orm.Model):
  32. '''Asterisk server object, to store all the parameters of the Asterisk IPBXs'''
  33. _name = "asterisk.server"
  34. _description = "Asterisk Servers"
  35. _columns = {
  36. 'name': fields.char('Asterisk server name', size=50, required=True, help="Asterisk server name."),
  37. 'active': fields.boolean('Active', help="The active field allows you to hide the Asterisk server without deleting it."),
  38. 'ip_address': fields.char('Asterisk IP addr. or DNS', size=50, required=True, help="IP address or DNS name of the Asterisk server."),
  39. 'port': fields.integer('Port', required=True, help="TCP port on which the Asterisk Manager Interface listens. Defined in /etc/asterisk/manager.conf on Asterisk."),
  40. 'out_prefix': fields.char('Out prefix', size=4, help="Prefix to dial to place outgoing calls. If you don't use a prefix to place outgoing calls, leave empty."),
  41. 'national_prefix': fields.char('National prefix', size=4, help="Prefix for national phone calls (don't include the 'out prefix'). For e.g., in France, the phone numbers look like '01 41 98 12 42' : the National prefix is '0'."),
  42. 'international_prefix': fields.char('International prefix', required=True, size=4, help="Prefix to add to make international phone calls (don't include the 'out prefix'). For e.g., in France, the International prefix is '00'."),
  43. 'country_prefix': fields.char('My country prefix', required=True, size=4, help="Phone prefix of the country where the Asterisk server is located. For e.g. the phone prefix for France is '33'. If the phone number to dial starts with the 'My country prefix', OpenERP will remove the country prefix from the phone number and add the 'out prefix' followed by the 'national prefix'. If the phone number to dial doesn't start with the 'My country prefix', OpenERP will add the 'out prefix' followed by the 'international prefix'."),
  44. 'login': fields.char('AMI login', size=30, required=True, help="Login that OpenERP will use to communicate with the Asterisk Manager Interface. Refer to /etc/asterisk/manager.conf on your Asterisk server."),
  45. 'password': fields.char('AMI password', size=30, required=True, help="Password that OpenERP will use to communicate with the Asterisk Manager Interface. Refer to /etc/asterisk/manager.conf on your Asterisk server."),
  46. 'context': fields.char('Dialplan context', size=50, required=True, help="Asterisk dialplan context from which the calls will be made. Refer to /etc/asterisk/extensions.conf on your Asterisk server."),
  47. 'wait_time': fields.integer('Wait time (sec)', required=True, help="Amount of time (in seconds) Asterisk will try to reach the user's phone before hanging up."),
  48. 'extension_priority': fields.integer('Extension priority', required=True, help="Priority of the extension in the Asterisk dialplan. Refer to /etc/asterisk/extensions.conf on your Asterisk server."),
  49. 'alert_info': fields.char('Alert-Info SIP header', size=255, help="Set Alert-Info header in SIP request to user's IP Phone for the click2dial feature. If empty, the Alert-Info header will not be added. You can use it to have a special ring tone for click2dial (a silent one !) or to activate auto-answer for example."),
  50. 'number_of_digits_to_match_from_end': fields.integer('Number of digits to match from end', help='In several situations, the Asterisk-OpenERP connector will have to find a Partner in OpenERP from a phone number presented by the calling party. As the phone numbers presented by your phone operator may not always be displayed in a standard format, the best method to find the related Partner in OpenERP is to try to match the end of the phone numbers of the Partners in OpenERP with the N last digits of the phone number presented by the calling party. N is the value you should enter in this field.'),
  51. 'company_id': fields.many2one('res.company', 'Company', help="Company who uses the Asterisk server."),
  52. }
  53. def _get_prefix_from_country(self, cr, uid, context=None):
  54. user = self.pool['res.users'].browse(cr, uid, uid, context=context)
  55. country_code = user.company_id and user.company_id.partner_id and user.company_id.partner_id.country_id and user.company_id.partner_id.country_id.code or False
  56. default_country_prefix = False
  57. if country_code:
  58. default_country_prefix = phonenumbers.country_code_for_region(country_code)
  59. return default_country_prefix
  60. _defaults = {
  61. 'active': True,
  62. 'port': 5038, # Default AMI port
  63. 'out_prefix': '0',
  64. 'national_prefix': '0',
  65. 'international_prefix': '00',
  66. 'country_prefix': _get_prefix_from_country,
  67. 'extension_priority': 1,
  68. 'wait_time': 15,
  69. 'number_of_digits_to_match_from_end': 9,
  70. 'company_id': lambda self, cr, uid, context: self.pool.get('res.company')._company_default_get(cr, uid, 'asterisk.server', context=context),
  71. }
  72. def _check_validity(self, cr, uid, ids):
  73. for server in self.browse(cr, uid, ids):
  74. country_prefix = ('Country prefix', server.country_prefix)
  75. international_prefix = ('International prefix', server.international_prefix)
  76. out_prefix = ('Out prefix', server.out_prefix)
  77. national_prefix = ('National prefix', server.national_prefix)
  78. dialplan_context = ('Dialplan context', server.context)
  79. alert_info = ('Alert-Info SIP header', server.alert_info)
  80. login = ('AMI login', server.login)
  81. password = ('AMI password', server.password)
  82. for digit_prefix in [country_prefix, international_prefix, out_prefix, national_prefix]:
  83. if digit_prefix[1] and not digit_prefix[1].isdigit():
  84. raise orm.except_orm(_('Error :'), _("Only use digits for the '%s' on the Asterisk server '%s'" % (digit_prefix[0], server.name)))
  85. if server.wait_time < 1 or server.wait_time > 120:
  86. raise orm.except_orm(_('Error :'), _("You should set a 'Wait time' value between 1 and 120 seconds for the Asterisk server '%s'" % server.name))
  87. if server.extension_priority < 1:
  88. raise orm.except_orm(_('Error :'), _("The 'extension priority' must be a positive value for the Asterisk server '%s'" % server.name))
  89. if server.port > 65535 or server.port < 1:
  90. raise orm.except_orm(_('Error :'), _("You should set a TCP port between 1 and 65535 for the Asterisk server '%s'" % server.name))
  91. if server.number_of_digits_to_match_from_end > 20 or server.number_of_digits_to_match_from_end < 1:
  92. raise orm.except_orm(_('Error :'), _("You should set a 'Number of digits to match from end' between 1 and 20 for the Asterisk server '%s'" % server.name))
  93. for check_string in [dialplan_context, alert_info, login, password]:
  94. if check_string[1]:
  95. try:
  96. string = check_string[1].encode('ascii')
  97. except UnicodeEncodeError:
  98. raise orm.except_orm(_('Error :'), _("The '%s' should only have ASCII caracters for the Asterisk server '%s'" % (check_string[0], server.name)))
  99. return True
  100. _constraints = [
  101. (_check_validity, "Error message in raise", ['out_prefix', 'country_prefix', 'national_prefix', 'international_prefix', 'wait_time', 'extension_priority', 'port', 'context', 'alert_info', 'login', 'password', 'number_of_digits_to_match_from_end']),
  102. ]
  103. def _reformat_number(self, cr, uid, erp_number, ast_server, context=None):
  104. '''
  105. This function is dedicated to the transformation of the number
  106. available in OpenERP to the number that Asterisk should dial.
  107. You may have to inherit this function in another module specific
  108. for your company if you are not happy with the way I reformat
  109. the OpenERP numbers.
  110. '''
  111. error_title_msg = _("Invalid phone number")
  112. invalid_international_format_msg = _("The phone number is not written in valid international format. Example of valid international format : +33 1 41 98 12 42")
  113. invalid_national_format_msg = _("The phone number is not written in valid national format.")
  114. invalid_format_msg = _("The phone number is not written in valid format.")
  115. # Let's call the variable tmp_number now
  116. tmp_number = erp_number
  117. _logger.debug('Number before reformat = %s' % tmp_number)
  118. # Check if empty
  119. if not tmp_number:
  120. raise orm.except_orm(error_title_msg, invalid_format_msg)
  121. # Before starting to use prefix, we convert empty prefix whose value
  122. # is False to an empty string
  123. country_prefix = ast_server.country_prefix or ''
  124. national_prefix = ast_server.national_prefix or ''
  125. international_prefix = ast_server.international_prefix or ''
  126. out_prefix = ast_server.out_prefix or ''
  127. # Maybe one day we will use
  128. # phonenumbers.format_out_of_country_calling_number(phonenumbers.parse('<phone_number_e164', None), 'FR')
  129. # The country code seems to be OK with the ones of OpenERP
  130. # But it returns sometimes numbers with '-'... we have to investigate this first
  131. # International format
  132. if tmp_number[0] != '+':
  133. raise # This should never happen
  134. # Remove the starting '+' of the number
  135. tmp_number = tmp_number.replace('+','')
  136. _logger.debug('Number after removal of special char = %s' % tmp_number)
  137. # At this stage, 'tmp_number' should only contain digits
  138. if not tmp_number.isdigit():
  139. raise orm.except_orm(error_title_msg, invalid_format_msg)
  140. _logger.debug('Country prefix = %s' % country_prefix)
  141. if country_prefix == tmp_number[0:len(country_prefix)]:
  142. # If the number is a national number,
  143. # remove 'my country prefix' and add 'national prefix'
  144. tmp_number = (national_prefix) + tmp_number[len(country_prefix):len(tmp_number)]
  145. _logger.debug('National prefix = %s - Number with national prefix = %s' % (national_prefix, tmp_number))
  146. else:
  147. # If the number is an international number,
  148. # add 'international prefix'
  149. tmp_number = international_prefix + tmp_number
  150. _logger.debug('International prefix = %s - Number with international prefix = %s' % (international_prefix, tmp_number))
  151. # Add 'out prefix' to all numbers
  152. tmp_number = out_prefix + tmp_number
  153. _logger.debug('Out prefix = %s - Number to be sent to Asterisk = %s' % (out_prefix, tmp_number))
  154. return tmp_number
  155. # TODO : one day, we will use phonenumbers.format_out_of_country_calling_number() ?
  156. # if yes, then we can trash the fields international_prefix, national_prefix
  157. # country_prefix and this kind of code
  158. def _convert_number_to_international_format(self, cr, uid, number, ast_server, context=None):
  159. '''Convert the number presented by the phone network to a number
  160. in international format e.g. +33141981242'''
  161. if number and number.isdigit() and len(number) > 5:
  162. if ast_server.international_prefix and number[0:len(ast_server.international_prefix)] == ast_server.international_prefix:
  163. number = number[len(ast_server.international_prefix):]
  164. number = '+' + number
  165. elif ast_server.national_prefix and number[0:len(ast_server.national_prefix)] == ast_server.national_prefix:
  166. number = number[len(ast_server.national_prefix):]
  167. number = '+' + ast_server.country_prefix + number
  168. return number
  169. def _get_asterisk_server_from_user(self, cr, uid, context=None):
  170. '''Returns an asterisk.server browse object'''
  171. # We check if the user has an Asterisk server configured
  172. user = self.pool['res.users'].browse(cr, uid, uid, context=context)
  173. if user.asterisk_server_id.id:
  174. ast_server = user.asterisk_server_id
  175. else:
  176. asterisk_server_ids = self.search(cr, uid, [('company_id', '=', user.company_id.id)], context=context)
  177. # If no asterisk server is configured on the user, we take the first one
  178. if not asterisk_server_ids:
  179. raise orm.except_orm(_('Error :'), _("No Asterisk server configured for the company '%s'.") % user.company_id.name)
  180. else:
  181. ast_server = self.browse(cr, uid, asterisk_server_ids[0], context=context)
  182. return ast_server
  183. def _connect_to_asterisk(self, cr, uid, context=None):
  184. '''
  185. Open the connection to the Asterisk Manager
  186. Returns an instance of the Asterisk Manager
  187. '''
  188. user = self.pool['res.users'].browse(cr, uid, uid, context=context)
  189. # Note : if I write 'Error' without ' :', it won't get translated...
  190. # I don't understand why !
  191. ast_server = self._get_asterisk_server_from_user(cr, uid, context=context)
  192. # We check if the current user has a chan type
  193. if not user.asterisk_chan_type:
  194. raise orm.except_orm(_('Error :'), _('No channel type configured for the current user.'))
  195. # We check if the current user has an internal number
  196. if not user.resource:
  197. raise orm.except_orm(_('Error :'), _('No resource name configured for the current user'))
  198. _logger.debug("User's phone : %s/%s" % (user.asterisk_chan_type, user.resource))
  199. _logger.debug("Asterisk server = %s:%d" % (ast_server.ip_address, ast_server.port))
  200. # Connect to the Asterisk Manager Interface
  201. try:
  202. ast_manager = Manager.Manager((ast_server.ip_address, ast_server.port), ast_server.login, ast_server.password)
  203. except Exception, e:
  204. _logger.error("Error in the Originate request to Asterisk server %s" % ast_server.ip_address)
  205. _logger.error("Here is the detail of the error : %s" % e.strerror)
  206. raise orm.except_orm(_('Error :'), _("Problem in the request from OpenERP to Asterisk. Here is the detail of the error: %s." % e.strerror))
  207. return False
  208. return (user, ast_server, ast_manager)
  209. def _dial_with_asterisk(self, cr, uid, erp_number, context=None):
  210. #print "_dial_with_asterisk erp_number=", erp_number
  211. if not erp_number:
  212. raise orm.except_orm(_('Error :'), "Hara kiri : you must call the function with erp_number")
  213. user, ast_server, ast_manager = self._connect_to_asterisk(cr, uid, context=context)
  214. ast_number = self._reformat_number(cr, uid, erp_number, ast_server, context=context)
  215. # The user should have a CallerID
  216. if not user.callerid:
  217. raise orm.except_orm(_('Error :'), _('No callerID configured for the current user'))
  218. variable = []
  219. if user.asterisk_chan_type == 'SIP':
  220. # We can only have one alert-info header in a SIP request
  221. if user.alert_info:
  222. variable.append('SIPAddHeader=Alert-Info: ' + user.alert_info)
  223. elif ast_server.alert_info:
  224. variable.append('SIPAddHeader=Alert-Info: ' + ast_server.alert_info)
  225. if user.variable:
  226. for user_variable in user.variable.split('|'):
  227. variable.append(user_variable.strip())
  228. try:
  229. ast_manager.Originate(
  230. user.asterisk_chan_type + '/' + user.resource + ( ('/' + user.dial_suffix) if user.dial_suffix else ''),
  231. context = ast_server.context,
  232. extension = ast_number,
  233. priority = str(ast_server.extension_priority),
  234. timeout = str(ast_server.wait_time*1000),
  235. caller_id = user.callerid,
  236. account = user.cdraccount,
  237. variable = variable)
  238. except Exception, e:
  239. _logger.error("Error in the Originate request to Asterisk server %s" % ast_server.ip_address)
  240. _logger.error("Here is the detail of the error : '%s'" % unicode(e))
  241. raise orm.except_orm(_('Error :'), _("Click to dial with Asterisk failed.\nHere is the error: '%s'" % unicode(e)))
  242. finally:
  243. ast_manager.Logoff()
  244. return True
  245. def _get_calling_number(self, cr, uid, context=None):
  246. user, ast_server, ast_manager = self._connect_to_asterisk(cr, uid, context=context)
  247. calling_party_number = False
  248. try:
  249. list_chan = ast_manager.Status()
  250. #from pprint import pprint
  251. #pprint(list_chan)
  252. _logger.debug("Result of Status AMI request: %s", list_chan)
  253. for chan in list_chan.values():
  254. sip_account = user.asterisk_chan_type + '/' + user.resource
  255. if chan.get('ChannelState') == '4' and chan.get('ConnectedLineNum') == user.internal_number: # 4 = Ring
  256. _logger.debug("Found a matching Event in 'Ring' state")
  257. calling_party_number = chan.get('CallerIDNum')
  258. break
  259. if chan.get('ChannelState') == '6' and sip_account in chan.get('BridgedChannel', ''): # 6 = Up
  260. _logger.debug("Found a matching Event in 'Up' state")
  261. calling_party_number = chan.get('CallerIDNum')
  262. break
  263. # Compatibility with Asterisk 1.4
  264. if chan.get('State') == 'Up' and sip_account in chan.get('Link', ''):
  265. _logger.debug("Found a matching Event in 'Up' state")
  266. calling_party_number = chan.get('CallerIDNum')
  267. break
  268. except Exception, e:
  269. _logger.error("Error in the Status request to Asterisk server %s" % ast_server.ip_address)
  270. _logger.error("Here is the detail of the error : '%s'" % unicode(e))
  271. raise orm.except_orm(_('Error :'), _("Can't get calling number from Asterisk.\nHere is the error: '%s'" % unicode(e)))
  272. finally:
  273. ast_manager.Logoff()
  274. _logger.debug("The calling party number is '%s'" % calling_party_number)
  275. return calling_party_number
  276. # Parameters specific for each user
  277. class res_users(orm.Model):
  278. _inherit = "res.users"
  279. _columns = {
  280. 'internal_number': fields.char('Internal number', size=15,
  281. help="User's internal phone number."),
  282. 'dial_suffix': fields.char('User-specific dial suffix', size=15,
  283. help="User-specific dial suffix such as aa=2wb for SCCP auto answer."),
  284. 'callerid': fields.char('Caller ID', size=50,
  285. help="Caller ID used for the calls initiated by this user."),
  286. # You'd probably think : Asterisk should reuse the callerID of sip.conf !
  287. # But it cannot, cf http://lists.digium.com/pipermail/asterisk-users/2012-January/269787.html
  288. 'cdraccount': fields.char('CDR Account', size=50,
  289. help="Call Detail Record (CDR) account used for billing this user."),
  290. 'asterisk_chan_type': fields.selection([
  291. ('SIP', 'SIP'),
  292. ('IAX2', 'IAX2'),
  293. ('DAHDI', 'DAHDI'),
  294. ('Zap', 'Zap'),
  295. ('Skinny', 'Skinny'),
  296. ('MGCP', 'MGCP'),
  297. ('mISDN', 'mISDN'),
  298. ('H323', 'H323'),
  299. ('SCCP', 'SCCP'),
  300. ('Local', 'Local'),
  301. ], 'Asterisk channel type',
  302. help="Asterisk channel type, as used in the Asterisk dialplan. If the user has a regular IP phone, the channel type is 'SIP'."),
  303. 'resource': fields.char('Resource name', size=64,
  304. help="Resource name for the channel type selected. For example, if you use 'Dial(SIP/phone1)' in your Asterisk dialplan to ring the SIP phone of this user, then the resource name for this user is 'phone1'. For a SIP phone, the phone number is often used as resource name, but not always."),
  305. 'alert_info': fields.char('User-specific Alert-Info SIP header', size=255, help="Set a user-specific Alert-Info header in SIP request to user's IP Phone for the click2dial feature. If empty, the Alert-Info header will not be added. You can use it to have a special ring tone for click2dial (a silent one !) or to activate auto-answer for example."),
  306. 'variable': fields.char('User-specific Variable', size=255, help="Set a user-specific 'Variable' field in the Asterisk Manager Interface 'originate' request for the click2dial feature. If you want to have several variable headers, separate them with '|'."),
  307. 'asterisk_server_id': fields.many2one('asterisk.server', 'Asterisk server',
  308. help="Asterisk server on which the user's phone is connected. If you leave this field empty, it will use the first Asterisk server of the user's company."),
  309. }
  310. _defaults = {
  311. 'asterisk_chan_type': 'SIP',
  312. }
  313. def _check_validity(self, cr, uid, ids):
  314. for user in self.browse(cr, uid, ids):
  315. for check_string in [('Resource name', user.resource), ('Internal number', user.internal_number), ('Caller ID', user.callerid)]:
  316. if check_string[1]:
  317. try:
  318. plom = check_string[1].encode('ascii')
  319. except UnicodeEncodeError:
  320. raise orm.except_orm(_('Error :'), _("The '%s' for the user '%s' should only have ASCII caracters" % (check_string[0], user.name)))
  321. return True
  322. _constraints = [
  323. (_check_validity, "Error message in raise", ['resource', 'internal_number', 'callerid']),
  324. ]
  325. class asterisk_common(orm.AbstractModel):
  326. _name = 'asterisk.common'
  327. def action_dial(self, cr, uid, ids, context=None):
  328. '''Read the number to dial and call _connect_to_asterisk the right way'''
  329. if context is None:
  330. context = {}
  331. if not isinstance(context.get('field2dial'), (unicode, str)):
  332. raise orm.except_orm(_('Error :'), "The function action_dial must be called with a 'field2dial' key in the context containing a string '<phone_field>'.")
  333. else:
  334. phone_field = context.get('field2dial')
  335. erp_number_read = self.read(cr, uid, ids[0], [phone_field], context=context)
  336. erp_number_e164 = erp_number_read[phone_field]
  337. # Check if the number to dial is not empty
  338. if not erp_number_e164:
  339. raise orm.except_orm(_('Error :'), _('There is no phone number !'))
  340. return self.pool['asterisk.server']._dial_with_asterisk(cr, uid, erp_number_e164, context=context)
  341. def generic_phonenumber_to_e164(self, cr, uid, ids, field_from_to_seq, context=None):
  342. result = {}
  343. from_field_seq = [item[0] for item in field_from_to_seq]
  344. for record in self.read(cr, uid, ids, from_field_seq, context=context):
  345. result[record['id']] = {}
  346. for fromfield, tofield in field_from_to_seq:
  347. if not record.get(fromfield):
  348. res = False
  349. else:
  350. try:
  351. res = phonenumbers.format_number(phonenumbers.parse(record.get(fromfield), None), phonenumbers.PhoneNumberFormat.E164)
  352. except Exception, e:
  353. _logger.error("Cannot reformat the phone number '%s' to E.164 format. Error message: %s" % (record.get(fromfield), e))
  354. _logger.error("You should fix this number and run the wizard 'Reformat all phone numbers' from the menu Settings > Configuration > Asterisk")
  355. # If I raise an exception here, it won't be possible to install
  356. # the module on a DB with bad phone numbers
  357. #raise orm.except_orm(_('Error :'), _("Cannot reformat the phone number '%s' to E.164 format. Error message: %s" % (record.get(fromfield), e)))
  358. res = False
  359. result[record['id']][tofield] = res
  360. #print "RESULT generic_phonenumber_to_e164", result
  361. return result
  362. def _generic_reformat_phonenumbers(self, cr, uid, vals, phonefields=['phone', 'partner_phone', 'fax', 'mobile'], context=None):
  363. """Reformat phone numbers in E.164 format i.e. +33141981242"""
  364. if any([vals.get(field) for field in phonefields]):
  365. user = self.pool['res.users'].browse(cr, uid, uid, context=context)
  366. # country_id on res.company is a fields.function that looks at
  367. # company_id.partner_id.addres(default).country_id
  368. if user.company_id.country_id:
  369. user_countrycode = user.company_id.country_id.code
  370. else:
  371. # We need to raise an exception here because, if we pass None as second arg of phonenumbers.parse(), it will raise an exception when you try to enter a phone number in national format... so it's better to raise the exception here
  372. raise orm.except_orm(_('Error :'), _("You should set a country on the company '%s'" % user.company_id.name))
  373. #print "user_countrycode=", user_countrycode
  374. for field in phonefields:
  375. if vals.get(field):
  376. init_value = vals.get(field)
  377. try:
  378. res_parse = phonenumbers.parse(vals.get(field), user_countrycode)
  379. except Exception, e:
  380. raise orm.except_orm(_('Error :'), _("Cannot reformat the phone number '%s' to international format. Error message: %s" % (vals.get(field), e)))
  381. #print "res_parse=", res_parse
  382. vals[field] = phonenumbers.format_number(res_parse, phonenumbers.PhoneNumberFormat.E164)
  383. if init_value != vals[field]:
  384. _logger.info("%s initial value: '%s' updated value: '%s'" % (field, init_value, vals[field]))
  385. return vals
  386. class res_partner(orm.Model):
  387. _name = 'res.partner'
  388. _inherit = ['res.partner', 'asterisk.common']
  389. def create(self, cr, uid, vals, context=None):
  390. vals_reformated = self._generic_reformat_phonenumbers(cr, uid, vals, context=context)
  391. return super(res_partner, self).create(cr, uid, vals_reformated, context=context)
  392. def write(self, cr, uid, ids, vals, context=None):
  393. vals_reformated = self._generic_reformat_phonenumbers(cr, uid, vals, context=context)
  394. return super(res_partner, self).write(cr, uid, ids, vals_reformated, context=context)
  395. def get_name_from_phone_number(self, cr, uid, number, context=None):
  396. '''Function to get name from phone number. Usefull for use from Asterisk
  397. to add CallerID name to incoming calls.
  398. The "scripts/" subdirectory of this module has an AGI script that you can
  399. install on your Asterisk IPBX : the script will be called from the Asterisk
  400. dialplan via the AGI() function and it will use this function via an XML-RPC
  401. request.
  402. '''
  403. res = self.get_partner_from_phone_number(cr, uid, number, context=context)
  404. if res:
  405. return res[2]
  406. else:
  407. return False
  408. def get_partner_from_phone_number(self, cr, uid, presented_number, context=None):
  409. # We check that "number" is really a number
  410. _logger.debug(u"Call get_name_from_phone_number with number = %s" % presented_number)
  411. if not isinstance(presented_number, (str, unicode)):
  412. _logger.warning(u"Number '%s' should be a 'str' or 'unicode' but it is a '%s'" % (presented_number, type(presented_number)))
  413. return False
  414. if not presented_number.isdigit():
  415. _logger.warning(u"Number '%s' should only contain digits." % presented_number)
  416. return False
  417. ast_server = self.pool['asterisk.server']._get_asterisk_server_from_user(cr, uid, context=context)
  418. nr_digits_to_match_from_end = ast_server.number_of_digits_to_match_from_end
  419. if len(presented_number) >= nr_digits_to_match_from_end:
  420. end_number_to_match = presented_number[-nr_digits_to_match_from_end:len(presented_number)]
  421. else:
  422. end_number_to_match = presented_number
  423. _logger.debug("Will search phone and mobile numbers in res.partner ending with '%s'" % end_number_to_match)
  424. # We try to match a phone or mobile number with the same end
  425. pg_seach_number = str('%' + end_number_to_match)
  426. res_ids = self.search(cr, uid, ['|', ('phone', 'like', pg_seach_number), ('mobile', 'like', pg_seach_number)], context=context)
  427. # TODO : use is_number_match() of the phonenumber lib ?
  428. if len(res_ids) > 1:
  429. _logger.warning(u"There are several partners (IDS = %s) with a phone number ending with '%s'" % (str(res_ids), end_number_to_match))
  430. if res_ids:
  431. entry = self.read(cr, uid, res_ids[0], ['name', 'parent_id'], context=context)
  432. _logger.debug(u"Answer get_partner_from_phone_number with name = %s" % entry['name'])
  433. return (entry['id'], entry['parent_id'] and entry['parent_id'][0] or False, entry['name'])
  434. else:
  435. _logger.debug(u"No match for end of phone number '%s'" % end_number_to_match)
  436. return False
  437. # This module supports multi-company
  438. class res_company(orm.Model):
  439. _inherit = "res.company"
  440. _columns = {
  441. 'asterisk_server_ids': fields.one2many('asterisk.server', 'company_id', 'Asterisk servers', help="List of Asterisk servers.")
  442. }