From dbb682f8dc568f561c7089a543f2f0224cf84f29 Mon Sep 17 00:00:00 2001 From: Guewen Baconnier <> Date: Mon, 14 Nov 2011 17:50:42 +0530 Subject: [PATCH 001/166] [FIX] hr : hr_timesheet_sheet: Timesheets big performance issues lp bug: https://launchpad.net/bugs/798732 fixed bzr revid: bde@tinyerp.com-20111114122042-korond509at5p5m9 --- .../hr_timesheet_sheet/hr_timesheet_sheet.py | 403 +++++++++--------- .../hr_timesheet_sheet_view.xml | 43 +- .../test/test_hr_timesheet_sheet.yml | 15 +- 3 files changed, 257 insertions(+), 204 deletions(-) diff --git a/addons/hr_timesheet_sheet/hr_timesheet_sheet.py b/addons/hr_timesheet_sheet/hr_timesheet_sheet.py index 089ade7c618..ed125f7d660 100644 --- a/addons/hr_timesheet_sheet/hr_timesheet_sheet.py +++ b/addons/hr_timesheet_sheet/hr_timesheet_sheet.py @@ -20,7 +20,7 @@ ############################################################################## import time -from datetime import datetime +from datetime import datetime, timedelta from dateutil.relativedelta import relativedelta from osv import fields, osv @@ -35,16 +35,9 @@ class one2many_mod2(fields.one2many): if values is None: values = {} - # dict: - # {idn: (date_current, user_id), ... - # 1: ('2010-08-15', 1)} - res6 = dict([(rec['id'], (rec['date_current'], rec['user_id'][0])) - for rec - in obj.read(cr, user, ids, ['date_current', 'user_id'], context=context)]) + res6 = dict([(rec['id'], rec['date_current']) + for rec in obj.read(cr, user, ids, ['date_current'], context=context)]) - # eg: ['|', '|', - # '&', '&', ('name', '>=', '2011-03-01'), ('name', '<=', '2011-03-01'), ('employee_id.user_id', '=', 1), - # '&', '&', ('name', '>=', '2011-02-01'), ('name', '<=', '2011-02-01'), ('employee_id.user_id', '=', 1)] dom = [] for c, id in enumerate(ids): if id in res6: @@ -52,9 +45,9 @@ class one2many_mod2(fields.one2many): dom.insert(0 ,'|') dom.append('&') dom.append('&') - dom.append(('name', '>=', res6[id][0])) - dom.append(('name', '<=', res6[id][0])) - dom.append(('employee_id.user_id', '=', res6[id][1])) + dom.append(('name', '>=', res6[id])) + dom.append(('name', '<=', res6[id])) + dom.append(('sheet_id', '=', id)) ids2 = obj.pool.get(self._obj).search(cr, user, dom, limit=self._limit) @@ -62,10 +55,9 @@ class one2many_mod2(fields.one2many): for i in ids: res[i] = [] - for r in obj.pool.get(self._obj)._read_flat(cr, user, ids2, [self._fields_id], context=context, load='_classic_write'): + for r in obj.pool.get(self._obj)._read_flat(cr, user, ids2, [self._fields_id], context=context, load='_classic_read'): if r[self._fields_id]: res[r[self._fields_id][0]].append(r['id']) - return res def set(self, cr, obj, id, field, values, user=None, context=None): @@ -86,23 +78,23 @@ class one2many_mod(fields.one2many): values = {} - res5 = obj.read(cr, user, ids, ['date_current', 'user_id'], context=context) + res5 = obj.read(cr, user, ids, ['date_current'], context=context) res6 = {} for r in res5: - res6[r['id']] = (r['date_current'], r['user_id'][0]) + res6[r['id']] = r['date_current'] ids2 = [] for id in ids: dom = [] if id in res6: - dom = [('date', '=', res6[id][0]), ('user_id', '=', res6[id][1])] + dom = [('date', '=', res6[id]), ('sheet_id', '=', id)] ids2.extend(obj.pool.get(self._obj).search(cr, user, dom, limit=self._limit)) res = {} for i in ids: res[i] = [] for r in obj.pool.get(self._obj)._read_flat(cr, user, ids2, - [self._fields_id], context=context, load='_classic_write'): + [self._fields_id], context=context, load='_classic_read'): if r[self._fields_id]: res[r[self._fields_id][0]].append(r['id']) @@ -114,33 +106,131 @@ class hr_timesheet_sheet(osv.osv): _order = "id desc" _description="Timesheet" - def _total_day(self, cr, uid, ids, name, args, context=None): + def _total_attendances(self, cr, uid, ids, name, args, context=None): + """ + Get the total attendance for the timesheets + Returns a dict like : + {id: {'date_current': '2011-06-17', + 'totals_per_day': { + day: timedelta, + day: timedelta} + } + } + """ + context = context or {} + attendance_obj = self.pool.get('hr.attendance') res = {} - cr.execute('SELECT sheet.id, day.total_attendance, day.total_timesheet, day.total_difference\ - FROM hr_timesheet_sheet_sheet AS sheet \ - LEFT JOIN hr_timesheet_sheet_sheet_day AS day \ - ON (sheet.id = day.sheet_id \ - AND day.name = sheet.date_current) \ - WHERE sheet.id IN %s',(tuple(ids),)) - for record in cr.fetchall(): - res[record[0]] = {} - res[record[0]]['total_attendance_day'] = record[1] - res[record[0]]['total_timesheet_day'] = record[2] - res[record[0]]['total_difference_day'] = record[3] + for sheet_id in ids: + sheet = self.browse(cr, uid, sheet_id, context=context) + date_current = sheet.date_current + # field attendances_ids of hr_timesheet_sheet.sheet only + # returns attendances of timesheet's current date + attendance_ids = attendance_obj.search(cr, uid, [('sheet_id', '=', sheet_id)], context=context) + attendances = attendance_obj.browse(cr, uid, attendance_ids, context=context) + total_attendance = {} + for attendance in [att for att in attendances + if att.action in ('sign_in', 'sign_out')]: + day = attendance.name[:10] + if not total_attendance.get(day, False): + total_attendance[day] = timedelta(seconds=0) + + attendance_in_time = datetime.strptime(attendance.name, '%Y-%m-%d %H:%M:%S') + attendance_interval = timedelta(hours=attendance_in_time.hour, + minutes=attendance_in_time.minute, + seconds=attendance_in_time.second) + if attendance.action == 'sign_in': + total_attendance[day] -= attendance_interval + else: + total_attendance[day] += attendance_interval + + # if the delta is negative, it means that a sign out is missing + # in a such case, we want to have the time to the end of the day + # for a past date, and the time to now for the current date + if total_attendance[day] < timedelta(0): + if day == date_current: + now = datetime.now() + total_attendance[day] += timedelta(hours=now.hour, + minutes=now.minute, + seconds=now.second) + else: + total_attendance[day] += timedelta(days=1) + + res[sheet_id] = {'date_current': date_current, + 'totals_per_day': total_attendance} + return res + + def _total_timesheet(self, cr, uid, ids, name, args, context=None): + """ + Get the total of analytic lines for the timesheets + Returns a dict like : + {id: {day: timedelta, + day: timedelta,}} + """ + context = context or {} + sheet_line_obj = self.pool.get('hr.analytic.timesheet') + + res = {} + for sheet_id in ids: + # field timesheet_ids of hr_timesheet_sheet.sheet only + # returns lines of timesheet's current date + sheet_lines_ids = sheet_line_obj.search(cr, uid, [('sheet_id', '=', sheet_id)], context=context) + sheet_lines = sheet_line_obj.browse(cr, uid, sheet_lines_ids, context=context) + total_timesheet = {} + for line in sheet_lines: + day = line.date + if not total_timesheet.get(day, False): + total_timesheet[day] = timedelta(seconds=0) + total_timesheet[day] += timedelta(hours=line.unit_amount) + res[sheet_id] = total_timesheet return res def _total(self, cr, uid, ids, name, args, context=None): + """ + Compute the attendances, analytic lines timesheets and differences between them + for all the days of a timesheet and the current day + """ + def sum_all_days(sheet_amounts): + if not sheet_amounts: + return timedelta(seconds=0) + total = reduce(lambda memo, value: memo + value, sheet_amounts.values()) + return total + + def timedelta_to_hours(delta): + hours = 0.0 + seconds = float(delta.seconds) + if delta.microseconds: + seconds += float(delta.microseconds) / 100000 + hours += delta.days * 24 + if seconds: + hours += seconds / 3600 + return hours + res = {} - cr.execute('SELECT s.id, COALESCE(SUM(d.total_attendance),0), COALESCE(SUM(d.total_timesheet),0), COALESCE(SUM(d.total_difference),0) \ - FROM hr_timesheet_sheet_sheet s \ - LEFT JOIN hr_timesheet_sheet_sheet_day d \ - ON (s.id = d.sheet_id) \ - WHERE s.id IN %s GROUP BY s.id',(tuple(ids),)) - for record in cr.fetchall(): - res[record[0]] = {} - res[record[0]]['total_attendance'] = record[1] - res[record[0]]['total_timesheet'] = record[2] - res[record[0]]['total_difference'] = record[3] + all_timesheet_attendances = self._total_attendances(cr, uid, ids, name, args, context=context) + all_timesheet_lines = self._total_timesheet(cr, uid, ids, name, args, context=context) + for id in ids: + res[id] = {} + + all_attendances_sheet = all_timesheet_attendances[id] + + date_current = all_attendances_sheet['date_current'] + total_attendances_sheet = all_attendances_sheet['totals_per_day'] + total_attendances_all_days = sum_all_days(total_attendances_sheet) + total_attendances_day = total_attendances_sheet.get(date_current, timedelta(seconds=0)) + + total_timesheets_sheet = all_timesheet_lines[id] + total_timesheets_all_days = sum_all_days(total_timesheets_sheet) + total_timesheets_day = total_timesheets_sheet.get(date_current, timedelta(seconds=0)) + total_difference_all_days = total_attendances_all_days - total_timesheets_all_days + total_difference_day = total_attendances_day - total_timesheets_day + + res[id]['total_attendance'] = timedelta_to_hours(total_attendances_all_days) + res[id]['total_timesheet'] = timedelta_to_hours(total_timesheets_all_days) + res[id]['total_difference'] = timedelta_to_hours(total_difference_all_days) + + res[id]['total_attendance_day'] = timedelta_to_hours(total_attendances_day) + res[id]['total_timesheet_day'] = timedelta_to_hours(total_timesheets_day) + res[id]['total_difference_day'] = timedelta_to_hours(total_difference_day) return res def check_employee_attendance_state(self, cr, uid, sheet_id, context=None): @@ -179,7 +269,7 @@ class hr_timesheet_sheet(osv.osv): def button_confirm(self, cr, uid, ids, context=None): for sheet in self.browse(cr, uid, ids, context=context): - self.check_employee_attendance_state(cr, uid, sheet.id, context) + self.check_employee_attendance_state(cr, uid, sheet.id, context=context) di = sheet.user_id.company_id.timesheet_max_difference if (abs(sheet.total_difference) < di) or not di: wf_service = netsvc.LocalService("workflow") @@ -276,12 +366,12 @@ class hr_timesheet_sheet(osv.osv): \n* The \'Confirmed\' state is used for to confirm the timesheet by user. \ \n* The \'Done\' state is used when users timesheet is accepted by his/her senior.'), 'state_attendance' : fields.related('employee_id', 'state', type='selection', selection=[('absent', 'Absent'), ('present', 'Present')], string='Current Status', readonly=True), - 'total_attendance_day': fields.function(_total_day, string='Total Attendance', multi="_total_day"), - 'total_timesheet_day': fields.function(_total_day, string='Total Timesheet', multi="_total_day"), - 'total_difference_day': fields.function(_total_day, string='Difference', multi="_total_day"), - 'total_attendance': fields.function(_total, string='Total Attendance', multi="_total_sheet"), - 'total_timesheet': fields.function(_total, string='Total Timesheet', multi="_total_sheet"), - 'total_difference': fields.function(_total, string='Difference', multi="_total_sheet"), + 'total_attendance_day': fields.function(_total, method=True, string='Total Attendance', multi="_total"), + 'total_timesheet_day': fields.function(_total, method=True, string='Total Timesheet', multi="_total"), + 'total_difference_day': fields.function(_total, method=True, string='Difference', multi="_total"), + 'total_attendance': fields.function(_total, method=True, string='Total Attendance', multi="_total"), + 'total_timesheet': fields.function(_total, method=True, string='Total Timesheet', multi="_total"), + 'total_difference': fields.function(_total, method=True, string='Difference', multi="_total"), 'period_ids': fields.one2many('hr_timesheet_sheet.sheet.day', 'sheet_id', 'Period', readonly=True), 'account_ids': fields.one2many('hr_timesheet_sheet.sheet.account', 'sheet_id', 'Analytic accounts', readonly=True), 'company_id': fields.many2one('res.company', 'Company'), @@ -392,85 +482,47 @@ class hr_timesheet_line(osv.osv): def _sheet(self, cursor, user, ids, name, args, context=None): sheet_obj = self.pool.get('hr_timesheet_sheet.sheet') - cursor.execute('SELECT l.id, COALESCE(MAX(s.id), 0) \ - FROM hr_timesheet_sheet_sheet s \ - LEFT JOIN (hr_analytic_timesheet l \ - LEFT JOIN account_analytic_line al \ - ON (l.line_id = al.id)) \ - ON (s.date_to >= al.date \ - AND s.date_from <= al.date \ - AND s.user_id = al.user_id) \ - WHERE l.id IN %s GROUP BY l.id',(tuple(ids),)) - res = dict(cursor.fetchall()) - sheet_names = {} - for sheet_id, name in sheet_obj.name_get(cursor, user, res.values(), - context=context): - sheet_names[sheet_id] = name - - for line_id in {}.fromkeys(ids): - sheet_id = res.get(line_id, False) - if sheet_id: - res[line_id] = (sheet_id, sheet_names[sheet_id]) - else: - res[line_id] = False + res = {}.fromkeys(ids, False) + for ts_line in self.browse(cursor, user, ids, context=context): + sheet_ids = sheet_obj.search(cursor, user, + [('date_to', '>=', ts_line.date), + ('date_from', '<=', ts_line.date), + ('employee_id.user_id', '=', ts_line.user_id.id)], context=context) + if sheet_ids: + # [0] because only one sheet possible for an employee between 2 dates + res[ts_line.id] = sheet_obj.name_get(cursor, user, sheet_ids, context=context)[0] return res - def _sheet_search(self, cursor, user, obj, name, args, context=None): - if not len(args): - return [] - sheet_obj = self.pool.get('hr_timesheet_sheet.sheet') + def _get_hr_timesheet_sheet(self, cr, uid, ids, context=None): + ts_line_ids = [] + for ts in self.browse(cr, uid, ids, context=context): + cr.execute(""" + SELECT l.id + FROM hr_analytic_timesheet l + INNER JOIN account_analytic_line al + ON (l.line_id = al.id) + WHERE %(date_to)s >= al.date + AND %(date_from)s <= al.date + AND %(user_id)s = al.user_id + GROUP BY l.id""", {'date_from': ts.date_from, + 'date_to': ts.date_to, + 'user_id': ts.employee_id.user_id.id,}) + ts_line_ids.extend([row[0] for row in cr.fetchall()]) + return ts_line_ids - i = 0 - while i < len(args): - fargs = args[i][0].split('.', 1) - if len(fargs) > 1: - args[i] = (fargs[0], 'in', sheet_obj.search(cursor, user, - [(fargs[1], args[i][1], args[i][2])], context=context)) - i += 1 - continue - if isinstance(args[i][2], basestring): - res_ids = sheet_obj.name_search(cursor, user, args[i][2], [], - args[i][1]) - args[i] = (args[i][0], 'in', [x[0] for x in res_ids]) - i += 1 - qu1, qu2 = [], [] - for x in args: - if x[1] != 'in': - if (x[2] is False) and (x[1] == '='): - qu1.append('(s.id IS NULL)') - elif (x[2] is False) and (x[1] == '<>' or x[1] == '!='): - qu1.append('(s.id IS NOT NULL)') - else: - qu1.append('(s.id %s %s)' % (x[1], '%s')) - qu2.append(x[2]) - elif x[1] == 'in': - if len(x[2]) > 0: - qu1.append('(s.id in (%s))' % (','.join(['%d'] * len(x[2])))) - qu2 += x[2] - else: - qu1.append('(False)') - if len(qu1): - qu1 = ' WHERE ' + ' AND '.join(qu1) - else: - qu1 = '' - cursor.execute('SELECT l.id \ - FROM hr_timesheet_sheet_sheet s \ - LEFT JOIN (hr_analytic_timesheet l \ - LEFT JOIN account_analytic_line al \ - ON (l.line_id = al.id)) \ - ON (s.date_to >= al.date \ - AND s.date_from <= al.date \ - AND s.user_id = al.user_id)' + \ - qu1, qu2) - res = cursor.fetchall() - if not len(res): - return [('id', '=', '0')] - return [('id', 'in', [x[0] for x in res])] + def _get_account_analytic_line(self, cr, uid, ids, context=None): + ts_line_ids = self.pool.get('hr.analytic.timesheet').search(cr, uid, [('line_id', 'in', ids)]) + return ts_line_ids _columns = { 'sheet_id': fields.function(_sheet, string='Sheet', type='many2one', relation='hr_timesheet_sheet.sheet', - fnct_search=_sheet_search), + store={ + 'hr_timesheet_sheet.sheet': (_get_hr_timesheet_sheet, ['employee_id', 'date_from', 'date_to'], 10), + 'account.analytic.line': (_get_account_analytic_line, ['user_id', 'date'], 10), + 'hr.analytic.timesheet': (lambda self,cr,uid,ids,c={}: ids, ['line_id'], 10), + }, + ), } _defaults = { 'date': _get_default_date, @@ -512,90 +564,47 @@ class hr_attendance(osv.osv): return context['name'] + time.strftime(' %H:%M:%S') return time.strftime('%Y-%m-%d %H:%M:%S') + def _get_hr_timesheet_sheet(self, cr, uid, ids, context=None): + attendance_ids = [] + for ts in self.browse(cr, uid, ids, context=context): + cr.execute(""" + SELECT a.id + FROM hr_attendance a + INNER JOIN hr_employee e + INNER JOIN resource_resource r + ON (e.resource_id = r.id) + ON (a.employee_id = e.id) + WHERE %(date_to)s >= date_trunc('day', a.name) + AND %(date_from)s <= a.name + AND %(user_id)s = r.user_id + GROUP BY a.id""", {'date_from': ts.date_from, + 'date_to': ts.date_to, + 'user_id': ts.employee_id.user_id.id,}) + attendance_ids.extend([row[0] for row in cr.fetchall()]) + return attendance_ids + def _sheet(self, cursor, user, ids, name, args, context=None): sheet_obj = self.pool.get('hr_timesheet_sheet.sheet') - cursor.execute("SELECT a.id, COALESCE(MAX(s.id), 0) \ - FROM hr_timesheet_sheet_sheet s \ - LEFT JOIN (hr_attendance a \ - LEFT JOIN hr_employee e \ - LEFT JOIN resource_resource r \ - ON (e.resource_id = r.id) \ - ON (a.employee_id = e.id)) \ - ON (s.date_to >= date_trunc('day',a.name) \ - AND s.date_from <= a.name \ - AND s.user_id = r.user_id) \ - WHERE a.id IN %s GROUP BY a.id",(tuple(ids),)) - res = dict(cursor.fetchall()) - sheet_names = {} - for sheet_id, name in sheet_obj.name_get(cursor, user, res.values(), - context=context): - sheet_names[sheet_id] = name - for line_id in {}.fromkeys(ids): - sheet_id = res.get(line_id, False) - if sheet_id: - res[line_id] = (sheet_id, sheet_names[sheet_id]) - else: - res[line_id] = False + res = {}.fromkeys(ids, False) + for attendance in self.browse(cursor, user, ids, context=context): + date_to = datetime.strftime(datetime.strptime(attendance.name[0:10], '%Y-%m-%d'), '%Y-%m-%d %H:%M:%S') + sheet_ids = sheet_obj.search(cursor, user, + [('date_to', '>=', date_to), + ('date_from', '<=', attendance.name), + ('employee_id', '=', attendance.employee_id.id)], context=context) + if sheet_ids: + # [0] because only one sheet possible for an employee between 2 dates + res[attendance.id] = sheet_obj.name_get(cursor, user, sheet_ids, context=context)[0] return res - def _sheet_search(self, cursor, user, obj, name, args, context=None): - if not len(args): - return [] - - sheet_obj = self.pool.get('hr_timesheet_sheet.sheet') - i = 0 - while i < len(args): - fargs = args[i][0].split('.', 1) - if len(fargs) > 1: - args[i] = (fargs[0], 'in', sheet_obj.search(cursor, user, - [(fargs[1], args[i][1], args[i][2])], context=context)) - i += 1 - continue - if isinstance(args[i][2], basestring): - res_ids = sheet_obj.name_search(cursor, user, args[i][2], [], - args[i][1]) - args[i] = (args[i][0], 'in', [x[0] for x in res_ids]) - i += 1 - qu1, qu2 = [], [] - for x in args: - if x[1] != 'in': - if (x[2] is False) and (x[1] == '='): - qu1.append('(s.id IS NULL)') - elif (x[2] is False) and (x[1] == '<>' or x[1] == '!='): - qu1.append('(s.id IS NOT NULL)') - else: - qu1.append('(s.id %s %s)' % (x[1], '%s')) - qu2.append(x[2]) - elif x[1] == 'in': - if len(x[2]) > 0: - qu1.append('(s.id in (%s))' % (','.join(['%d'] * len(x[2])))) - qu2 += x[2] - else: - qu1.append('(False)') - if len(qu1): - qu1 = ' WHERE ' + ' AND '.join(qu1) - else: - qu1 = '' - cursor.execute('SELECT a.id\ - FROM hr_timesheet_sheet_sheet s \ - LEFT JOIN (hr_attendance a \ - LEFT JOIN hr_employee e \ - ON (a.employee_id = e.id)) \ - LEFT JOIN resource_resource r \ - ON (e.resource_id = r.id) \ - ON (s.date_to >= date_trunc(\'day\',a.name) \ - AND s.date_from <= a.name \ - AND s.user_id = r.user_id) ' + \ - qu1, qu2) - res = cursor.fetchall() - if not len(res): - return [('id', '=', '0')] - return [('id', 'in', [x[0] for x in res])] - _columns = { 'sheet_id': fields.function(_sheet, string='Sheet', type='many2one', relation='hr_timesheet_sheet.sheet', - fnct_search=_sheet_search), + store={ + 'hr_timesheet_sheet.sheet': (_get_hr_timesheet_sheet, ['employee_id', 'date_from', 'date_to'], 10), + 'hr.attendance': (lambda self,cr,uid,ids,c={}: ids, ['employee_id', 'name', 'day'], 10), + }, + ) } _defaults = { 'name': _get_default_date, diff --git a/addons/hr_timesheet_sheet/hr_timesheet_sheet_view.xml b/addons/hr_timesheet_sheet/hr_timesheet_sheet_view.xml index b14c9133319..421a7b5586b 100644 --- a/addons/hr_timesheet_sheet/hr_timesheet_sheet_view.xml +++ b/addons/hr_timesheet_sheet/hr_timesheet_sheet_view.xml @@ -228,6 +228,19 @@ + + + hr.analytic.timesheet.search + hr.analytic.timesheet + form + + + + + + + + @@ -279,14 +292,21 @@ + + + + + hr.timesheet.day.tree + hr_timesheet_sheet.sheet.day + tree + + + + + + + + + + Date: Wed, 30 Nov 2011 17:34:35 +0530 Subject: [PATCH 002/166] [IMP] project: add remaning hours in project_demo.xml bzr revid: kjo@tinyerp.com-20111130120435-c6itbnrehxkvxkya --- addons/project/project_demo.xml | 18 ++++++++++++++++++ 1 file changed, 18 insertions(+) diff --git a/addons/project/project_demo.xml b/addons/project/project_demo.xml index 7592d24a145..d8a8b1ba4b9 100644 --- a/addons/project/project_demo.xml +++ b/addons/project/project_demo.xml @@ -72,6 +72,7 @@ + 2 @@ -81,6 +82,7 @@ + 2 @@ -90,6 +92,7 @@ + 2 @@ -99,6 +102,7 @@ + 2 @@ -108,6 +112,7 @@ + 2 @@ -117,6 +122,7 @@ + 2 @@ -126,6 +132,7 @@ + 2 @@ -135,6 +142,7 @@ + 2 @@ -144,6 +152,7 @@ + 2 @@ -153,6 +162,7 @@ + 2 @@ -162,6 +172,7 @@ + 2 @@ -173,6 +184,7 @@ + 2 @@ -184,6 +196,7 @@ + 2 @@ -195,6 +208,7 @@ + 2 @@ -205,6 +219,7 @@ + 2 @@ -216,6 +231,7 @@ + 2 @@ -226,6 +242,7 @@ + 2 @@ -236,6 +253,7 @@ + 2 From 74fbbc36e143cef98c8546ac560c5fb630a41b4e Mon Sep 17 00:00:00 2001 From: "Naresh (OpenERP)" Date: Fri, 2 Dec 2011 15:52:02 +0530 Subject: [PATCH 003/166] [FIX]:Properties should be deleted when the related record is deleted lp bug: https://launchpad.net/bugs/891580 fixed bzr revid: nch@tinyerp.com-20111202102202-0jzzlqu68fypbbl3 --- openerp/osv/orm.py | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/openerp/osv/orm.py b/openerp/osv/orm.py index 90a8975b27a..db5006cf71d 100644 --- a/openerp/osv/orm.py +++ b/openerp/osv/orm.py @@ -3659,6 +3659,13 @@ class BaseModel(object): self.check_unlink(cr, uid) properties = self.pool.get('ir.property') + ##search if there are properties created with resource that is about to be deleted + ## if found delete the properties too. + unlink_properties = properties.search(cr, uid, [('res_id', 'in', ['%s,%s' % (self._name, i) for i in ids])], context=context) + if unlink_properties: + properties.unlink(cr, uid, unlink_properties, context=context) + + ## check if the model is used as a default property domain = [('res_id', '=', False), ('value_reference', 'in', ['%s,%s' % (self._name, i) for i in ids]), ] From b8c1cf1b65e78902f0f8742a86f0e7fdda54745e Mon Sep 17 00:00:00 2001 From: vishmita Date: Tue, 20 Dec 2011 12:05:19 +0530 Subject: [PATCH 004/166] [FIX]Process-subflows must have unique names. lp bug: https://launchpad.net/bugs/906073 fixed bzr revid: vja@vja-desktop-20111220063519-epd6nrs2ysz4lqhu --- addons/web_process/static/src/js/process.js | 12 ++++++++++-- 1 file changed, 10 insertions(+), 2 deletions(-) diff --git a/addons/web_process/static/src/js/process.js b/addons/web_process/static/src/js/process.js index e650530a914..ad2816f654c 100644 --- a/addons/web_process/static/src/js/process.js +++ b/addons/web_process/static/src/js/process.js @@ -46,8 +46,16 @@ openerp.web_process = function (openerp) { self.graph_get().done(function(res) { self.process_notes = res.notes; self.process_title = res.name; - self.process_subflows = _.filter(res.nodes, function(x) { - return x.subflow != false; + var subflow= {}; + var process_subflow = []; + self.process_subflows = _.all(res.nodes, function(x) { + if (x.subflow != false) { + if(!subflow[x.subflow [0]]){ + subflow[x.subflow [0]] = true; + process_subflow.push(x); + } + } + return process_subflow; }); self.process_related = res.related; def.resolve(res); From ece5ba53c74a2b944ba34e5372ec343c94c233fa Mon Sep 17 00:00:00 2001 From: vishmita Date: Thu, 22 Dec 2011 13:10:26 +0530 Subject: [PATCH 005/166] [FIX]Improve code. bzr revid: vja@vja-desktop-20111222074026-tixnqpwpgpueuqye --- addons/web_process/static/src/js/process.js | 13 +++++++------ 1 file changed, 7 insertions(+), 6 deletions(-) diff --git a/addons/web_process/static/src/js/process.js b/addons/web_process/static/src/js/process.js index ad2816f654c..387520e44c2 100644 --- a/addons/web_process/static/src/js/process.js +++ b/addons/web_process/static/src/js/process.js @@ -48,13 +48,14 @@ openerp.web_process = function (openerp) { self.process_title = res.name; var subflow= {}; var process_subflow = []; - self.process_subflows = _.all(res.nodes, function(x) { - if (x.subflow != false) { - if(!subflow[x.subflow [0]]){ - subflow[x.subflow [0]] = true; - process_subflow.push(x); + self.process_subflows = _.filter(res.nodes, function(x) { + var a = _.uniq(_.map(_.pluck(res.nodes,'subflow'),function(subflow){return subflow[0]})); + for(var i = 0;i< a.length;i++){ + if(a[i] == x.subflow[0] && !subflow[x.subflow[0]]){ + subflow[x.subflow[0]] = true; + process_subflow.push(x); + } } - } return process_subflow; }); self.process_related = res.related; From 0cc2d915dac5402da06c1e51369499467260de8e Mon Sep 17 00:00:00 2001 From: "Vaibhav (OpenERP)" Date: Thu, 22 Dec 2011 16:54:51 +0530 Subject: [PATCH 006/166] [FIX] wizard action,manage view should not display title. lp bug: https://launchpad.net/bugs/907354 fixed bzr revid: vda@tinyerp.com-20111222112451-b9emqola88y6ufmy --- addons/web/static/src/js/view_editor.js | 3 ++- addons/web/static/src/js/views.js | 1 + 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/addons/web/static/src/js/view_editor.js b/addons/web/static/src/js/view_editor.js index 649f324744d..3f078208fe4 100644 --- a/addons/web/static/src/js/view_editor.js +++ b/addons/web/static/src/js/view_editor.js @@ -27,6 +27,7 @@ openerp.web.ViewEditor = openerp.web.Widget.extend({ target: "current", limit: this.dataset.limit || 80, flags: { + display_title: false, sidebar: false, deletable: false, views_switcher: false, @@ -38,7 +39,7 @@ openerp.web.ViewEditor = openerp.web.Widget.extend({ } }; this.view_edit_dialog = new openerp.web.Dialog(this, { - title: _t("ViewEditor"), + title: _.str.sprintf("Manage Views (%s)", this.model), width: 850, buttons: [ {text: _t("Create"), click: function() { self.on_create_view(); }}, diff --git a/addons/web/static/src/js/views.js b/addons/web/static/src/js/views.js index 42298c5c363..e2ef5412e80 100644 --- a/addons/web/static/src/js/views.js +++ b/addons/web/static/src/js/views.js @@ -105,6 +105,7 @@ session.web.ActionManager = session.web.Widget.extend({ var type = action.type.replace(/\./g,'_'); var popup = action.target === 'new'; action.flags = _.extend({ + display_title: !popup, views_switcher : !popup, search_view : !popup, action_buttons : !popup, From 18abd9d57969034a39b23bfd4db9be5f47b4b553 Mon Sep 17 00:00:00 2001 From: "Vaibhav (OpenERP)" Date: Thu, 22 Dec 2011 18:05:04 +0530 Subject: [PATCH 007/166] [FIX] Translatable view editor title. bzr revid: vda@tinyerp.com-20111222123504-j8d64h37r0lds080 --- addons/web/static/src/js/view_editor.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/js/view_editor.js b/addons/web/static/src/js/view_editor.js index 3f078208fe4..db0d67c7897 100644 --- a/addons/web/static/src/js/view_editor.js +++ b/addons/web/static/src/js/view_editor.js @@ -39,7 +39,7 @@ openerp.web.ViewEditor = openerp.web.Widget.extend({ } }; this.view_edit_dialog = new openerp.web.Dialog(this, { - title: _.str.sprintf("Manage Views (%s)", this.model), + title: _t(_.str.sprintf("Manage Views (%s)", this.model)), width: 850, buttons: [ {text: _t("Create"), click: function() { self.on_create_view(); }}, From e71cb3a17382a9a7d810b2cf96e7a60a5de3039c Mon Sep 17 00:00:00 2001 From: "Vaibhav (OpenERP)" Date: Mon, 26 Dec 2011 16:17:25 +0530 Subject: [PATCH 008/166] [FIX] translation,return on no export. lp bug: https://launchpad.net/bugs/908723 fixed bzr revid: vda@tinyerp.com-20111226104725-0ob6e71f8elppu95 --- addons/web/static/src/js/data_export.js | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/addons/web/static/src/js/data_export.js b/addons/web/static/src/js/data_export.js index 78dc3bef1f9..2b30a40d536 100644 --- a/addons/web/static/src/js/data_export.js +++ b/addons/web/static/src/js/data_export.js @@ -114,7 +114,7 @@ openerp.web.DataExport = openerp.web.Dialog.extend({ if (value) { self.do_save_export_list(value); } else { - alert("Pleae Enter Save Field List Name"); + alert(_t("Please Enter Save Field List Name")); } }); } else { @@ -349,19 +349,19 @@ openerp.web.DataExport = openerp.web.Dialog.extend({ export_field.push($(this).val()); }); if (!export_field.length) { - alert('Please select fields to save export list...'); + alert(_t('Please select fields to save export list...')); } return export_field; }, on_click_export_data: function() { - $.blockUI(this.$element); + var exported_fields = [], self = this; this.$element.find("#fields_list option").each(function() { var fieldname = self.records[$(this).val()]; exported_fields.push({name: fieldname, label: $(this).text()}); }); if (_.isEmpty(exported_fields)) { - alert('Please select fields to export...'); + alert(_t('Please select fields to export...')); return; } @@ -369,6 +369,7 @@ openerp.web.DataExport = openerp.web.Dialog.extend({ var export_format = this.$element.find("#export_format").val(); this.session.get_file({ url: '/web/export/' + export_format, + beforeSend: $.blockUI(this.$element), data: {data: JSON.stringify({ model: this.dataset.model, fields: exported_fields, From 07005c983afdb57c2e2f15139fd358ac388d1326 Mon Sep 17 00:00:00 2001 From: "Vidhin Mehta (OpenERP)" Date: Tue, 27 Dec 2011 17:14:09 +0530 Subject: [PATCH 009/166] [FIX]extend two context. lp bug: https://launchpad.net/bugs/906236 fixed bzr revid: vme@tinyerp.com-20111227114409-czwzx077hvjvjnee --- addons/web/static/src/js/view_form.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 5619f42f269..62268b7b81f 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -252,7 +252,8 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# 'None': function () {return null;}, 'context': function (i) { context_index = i; - var ctx = widget.build_context ? widget.build_context() : {}; + ar ctx = widget.build_context ? + _.extend(widget.build_context(),self.dataset.context):{}; return ctx; } }; From 1e23dca365b5a8c5e8808bff01d874aa1e0f71f4 Mon Sep 17 00:00:00 2001 From: "Vidhin Mehta (OpenERP)" Date: Tue, 27 Dec 2011 17:27:34 +0530 Subject: [PATCH 010/166] [IMP]remove error. bzr revid: vme@tinyerp.com-20111227115734-i7fkcsn7yhohbh90 --- addons/web/static/src/js/view_form.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 62268b7b81f..818c50616af 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -252,7 +252,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# 'None': function () {return null;}, 'context': function (i) { context_index = i; - ar ctx = widget.build_context ? + var ctx = widget.build_context ? _.extend(widget.build_context(),self.dataset.context):{}; return ctx; } From d2d20a1d4cfdac6b733abe342bcea3811edc2fa9 Mon Sep 17 00:00:00 2001 From: "Jagdish Panchal (Open ERP)" Date: Thu, 29 Dec 2011 16:12:19 +0530 Subject: [PATCH 011/166] [FIX] hr_holidays: In leaves analysis report filter buttons Year|Month|Month-1 added lp bug: https://launchpad.net/bugs/908798 fixed bzr revid: jap@tinyerp.com-20111229104219-fbzgrcxpv9jxyqzp --- addons/hr_holidays/hr_holidays_view.xml | 11 +++++++---- addons/hr_holidays/report/available_holidays_view.xml | 2 +- 2 files changed, 8 insertions(+), 5 deletions(-) diff --git a/addons/hr_holidays/hr_holidays_view.xml b/addons/hr_holidays/hr_holidays_view.xml index 86f630beaaf..715fcf6f553 100644 --- a/addons/hr_holidays/hr_holidays_view.xml +++ b/addons/hr_holidays/hr_holidays_view.xml @@ -8,14 +8,17 @@ + + + + + - - - - diff --git a/addons/hr_holidays/report/available_holidays_view.xml b/addons/hr_holidays/report/available_holidays_view.xml index 730c396e168..082bf198e34 100644 --- a/addons/hr_holidays/report/available_holidays_view.xml +++ b/addons/hr_holidays/report/available_holidays_view.xml @@ -8,7 +8,7 @@ form tree,form - {'search_default_group_employee': 1, 'search_default_group_type': 1} + {'search_default_year':1, 'search_default_This Month':1, 'search_default_group_employee': 1, 'search_default_group_type': 1} [('holiday_type','=','employee')] From 09cccc74f91ab410a070616e4ed5efb76c15b549 Mon Sep 17 00:00:00 2001 From: "Atul Patel (OpenERP)" Date: Thu, 29 Dec 2011 18:26:05 +0530 Subject: [PATCH 012/166] [FIX]Project: Remove default_project_id method and default value for project_id. bzr revid: atp@tinyerp.com-20111229125605-t0or55ru2wu18h4m --- addons/project/project.py | 8 -------- 1 file changed, 8 deletions(-) diff --git a/addons/project/project.py b/addons/project/project.py index c0fb9d61438..85af817d136 100644 --- a/addons/project/project.py +++ b/addons/project/project.py @@ -522,13 +522,6 @@ class task(osv.osv): return {'value':{'partner_id':partner_id.id}} return {} - def _default_project(self, cr, uid, context=None): - if context is None: - context = {} - if 'project_id' in context and context['project_id']: - return int(context['project_id']) - return False - def duplicate_task(self, cr, uid, map_ids, context=None): for new in map_ids.values(): task = self.browse(cr, uid, new, context) @@ -642,7 +635,6 @@ class task(osv.osv): 'progress': 0, 'sequence': 10, 'active': True, - 'project_id': _default_project, 'user_id': lambda obj, cr, uid, context: uid, 'company_id': lambda self, cr, uid, c: self.pool.get('res.company')._company_default_get(cr, uid, 'project.task', context=c) } From 74bce5aa5a53f4f5a0c4ad19b971891094f17db3 Mon Sep 17 00:00:00 2001 From: "Vidhin Mehta (OpenERP)" Date: Tue, 3 Jan 2012 14:13:51 +0530 Subject: [PATCH 013/166] [FIX]fix bug issue. lp bug: https://launchpad.net/bugs/910767 fixed bzr revid: vme@tinyerp.com-20120103084351-wwct754cke2b1n50 --- addons/web/static/src/js/formats.js | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/addons/web/static/src/js/formats.js b/addons/web/static/src/js/formats.js index 37d1e4cf7b5..2620bb40768 100644 --- a/addons/web/static/src/js/formats.js +++ b/addons/web/static/src/js/formats.js @@ -254,6 +254,11 @@ openerp.web.format_cell = function (row_data, column, value_if_empty, process_mo attrs = column.modifiers_for(row_data); } if (attrs.invisible) { return ''; } + + if(column.type === "boolean") + return _.str.sprintf('', + row_data[column.id].value ? 'checked="checked"':''); + if (column.tag === 'button') { return _.template(' From b693864e0157acd4511c315af7d223d3071b7040 Mon Sep 17 00:00:00 2001 From: niv-openerp Date: Mon, 9 Jan 2012 17:45:17 +0100 Subject: [PATCH 049/166] [imp] removed steps status bar bzr revid: nicolas.vanhoren@openerp.com-20120109164517-ej1zfz5xjq0nuyez --- addons/point_of_sale/static/src/css/pos.css | 41 +++------------------ addons/point_of_sale/static/src/js/pos.js | 8 +--- addons/point_of_sale/static/src/xml/pos.xml | 10 ----- 3 files changed, 7 insertions(+), 52 deletions(-) diff --git a/addons/point_of_sale/static/src/css/pos.css b/addons/point_of_sale/static/src/css/pos.css index 75ed054fb6d..f2e4d0525b5 100644 --- a/addons/point_of_sale/static/src/css/pos.css +++ b/addons/point_of_sale/static/src/css/pos.css @@ -76,7 +76,7 @@ background: -moz-linear-gradient(#b2b3d7, #7f82ac); background: -webkit-gradient(linear, left top, left bottom, from(#b2b3d7), to(#7f82ac)); } -.point-of-sale #branding, .point-of-sale #steps, .point-of-sale #rightheader { +.point-of-sale #branding, .point-of-sale #rightheader { float: left; overflow: hidden; height: 35px; @@ -84,48 +84,17 @@ } .point-of-sale #rightheader { float: none; + margin-left: 440px; } .point-of-sale #branding { border-right: 1px solid #373737; - text-align: center; + text-align: left; + width: 419px; } .point-of-sale #branding img { height: 32px; width: 116px; -} -.point-of-sale #steps { - padding: 10px 17px; - border-right: solid 1px #3b3b3b; - vertical-align: top; -} -.point-of-sale #steps label { - width: 80px; - color: #A5A5A5; - font-weight: bold; - border-color: #454545; - background-color: #454545; - background-image: none; - border-bottom: solid 1px #5c5c5c; - border-top: solid 1px #373737; - vertical-align: top; -} -.point-of-sale #steps label:first-child { - border-left: solid 1px #373737; -} -.point-of-sale #steps label:last-child { - border-right: solid 1px #373737; -} -.point-of-sale #steps span { - padding: 2px 6px; -} -.point-of-sale #steps img { - height: 32px; -} -.point-of-sale #steps .ui-button, .point-of-sale #steps .ui-button-text-only { - padding-top: 4px; - height: 26px; - margin: 0 -4px; -} +} .point-of-sale #neworder-button { width: 32px; padding: 4px 10px; diff --git a/addons/point_of_sale/static/src/js/pos.js b/addons/point_of_sale/static/src/js/pos.js index 57678d65031..b47ca2ab4a2 100644 --- a/addons/point_of_sale/static/src/js/pos.js +++ b/addons/point_of_sale/static/src/js/pos.js @@ -709,7 +709,7 @@ openerp.point_of_sale = function(db) { It should be possible to go back to any step as long as step 3 hasn't been completed. Modifying an order after validation shouldn't be allowed. */ - var StepsWidget = db.web.Widget.extend({ + var StepSwitcher = db.web.Widget.extend({ init: function(parent, options) { this._super(parent); this.shop = options.shop; @@ -1188,9 +1188,7 @@ openerp.point_of_sale = function(db) { shop: this.shop, }); this.receiptView.replace($('#receipt-screen')); - this.stepsView = new StepsWidget(null, {shop: this.shop}); - this.stepsView.$element = $('#steps'); - this.stepsView.start(); + this.stepSwitcher = new StepSwitcher(this, {shop: this.shop}); this.shop.bind('change:selectedOrder', this.changedSelectedOrder, this); this.changedSelectedOrder(); }, @@ -1326,8 +1324,6 @@ openerp.point_of_sale = function(db) { this.$element.find("#loggedas button").click(function() { self.try_close(); }); - - this.$element.find('#steps').buttonset(); pos.app = new App(self.$element); $('.oe_toggle_secondary_menu').hide(); diff --git a/addons/point_of_sale/static/src/xml/pos.xml b/addons/point_of_sale/static/src/xml/pos.xml index 9e975ed5158..8e065fe6aad 100644 --- a/addons/point_of_sale/static/src/xml/pos.xml +++ b/addons/point_of_sale/static/src/xml/pos.xml @@ -8,16 +8,6 @@
-
- - - - - - - - -
From 6a00d79cd57bdea30715ce10e4e5e97deaa7f032 Mon Sep 17 00:00:00 2001 From: "Quentin (OpenERP)" Date: Mon, 9 Jan 2012 18:48:36 +0100 Subject: [PATCH 050/166] [IMP] account_analytic_analysis: removed consolidation of fields because it is complex computation really resource-greedy bzr revid: qdp-launchpad@openerp.com-20120109174836-v247yql76ahe7cru --- addons/account/project/project_view.xml | 1 - .../account_analytic_analysis.py | 93 +++---------------- .../account_analytic_analysis_view.xml | 1 + 3 files changed, 13 insertions(+), 82 deletions(-) diff --git a/addons/account/project/project_view.xml b/addons/account/project/project_view.xml index 9fc2e7e612c..07400c68534 100644 --- a/addons/account/project/project_view.xml +++ b/addons/account/project/project_view.xml @@ -60,7 +60,6 @@ - diff --git a/addons/account_analytic_analysis/account_analytic_analysis.py b/addons/account_analytic_analysis/account_analytic_analysis.py index 3fe60e449cd..d379ba232fc 100644 --- a/addons/account_analytic_analysis/account_analytic_analysis.py +++ b/addons/account_analytic_analysis/account_analytic_analysis.py @@ -33,9 +33,7 @@ class account_analytic_account(osv.osv): def _analysis_all(self, cr, uid, ids, fields, arg, context=None): dp = 2 res = dict([(i, {}) for i in ids]) - - parent_ids = tuple(self.search(cr, uid, [('parent_id', 'child_of', ids)], context=context)) - res.update(dict([(i, {}) for i in parent_ids])) + parent_ids = tuple(ids) #We don't want consolidation for each of these fields because those complex computation is resource-greedy. accounts = self.browse(cr, uid, ids, context=context) for f in fields: @@ -72,10 +70,6 @@ class account_analytic_account(osv.osv): if account_id not in res: res[account_id] = {} res[account_id][f] = sum - for account in accounts: - for child in account.child_ids: - if res[account.id][f] < res.get(child.id, {}).get(f): - res[account.id][f] = res.get(child.id, {}).get(f, False) elif f == 'ca_to_invoice': for id in ids: res[id][f] = 0.0 @@ -111,13 +105,6 @@ class account_analytic_account(osv.osv): res[account_id] = {} res[account_id][f] = round(sum, dp) - for account in accounts: - #res.setdefault(account.id, 0.0) - res2.setdefault(account.id, 0.0) - for child in account.child_ids: - if child.id != account.id: - res[account.id][f] += res.get(child.id, {}).get(f, 0.0) - res2[account.id] += res2.get(child.id, 0.0) # sum both result on account_id for id in ids: res[id][f] = round(res.get(id, {}).get(f, 0.0), dp) + round(res2.get(id, 0.0), 2) @@ -135,10 +122,6 @@ class account_analytic_account(osv.osv): GROUP BY account_analytic_line.account_id",(parent_ids,)) for account_id, lid in cr.fetchall(): res[account_id][f] = lid - for account in accounts: - for child in account.child_ids: - if res[account.id][f] < res.get(child.id, {}).get(f): - res[account.id][f] = res.get(child.id, {}).get(f, False) elif f == 'last_worked_date': for id in ids: res[id][f] = False @@ -152,10 +135,6 @@ class account_analytic_account(osv.osv): if account_id not in res: res[account_id] = {} res[account_id][f] = lwd - for account in accounts: - for child in account.child_ids: - if res[account.id][f] < res.get(child.id, {}).get(f): - res[account.id][f] = res.get(child.id, {}).get(f, False) elif f == 'hours_qtt_non_invoiced': for id in ids: res[id][f] = 0.0 @@ -173,10 +152,6 @@ class account_analytic_account(osv.osv): if account_id not in res: res[account_id] = {} res[account_id][f] = round(sua, dp) - for account in accounts: - for child in account.child_ids: - if account.id != child.id: - res[account.id][f] += res.get(child.id, {}).get(f, 0.0) for id in ids: res[id][f] = round(res[id][f], dp) elif f == 'hours_quantity': @@ -195,19 +170,12 @@ class account_analytic_account(osv.osv): if account_id not in res: res[account_id] = {} res[account_id][f] = round(hq, dp) - for account in accounts: - for child in account.child_ids: - if account.id != child.id: - if account.id not in res: - res[account.id] = {f: 0.0} - res[account.id][f] += res.get(child.id, {}).get(f, 0.0) for id in ids: res[id][f] = round(res[id][f], dp) elif f == 'ca_theorical': # TODO Take care of pricelist and purchase ! for id in ids: res[id][f] = 0.0 - res2 = {} # Warning # This computation doesn't take care of pricelist ! # Just consider list_price @@ -232,31 +200,15 @@ class account_analytic_account(osv.osv): AND account_analytic_journal.type IN ('purchase', 'general') GROUP BY account_analytic_line.account_id""",(parent_ids,)) for account_id, sum in cr.fetchall(): - res2[account_id] = round(sum, dp) - - for account in accounts: - res2.setdefault(account.id, 0.0) - for child in account.child_ids: - if account.id != child.id: - if account.id not in res: - res[account.id] = {f: 0.0} - res[account.id][f] += res.get(child.id, {}).get(f, 0.0) - res[account.id][f] += res2.get(child.id, 0.0) - - # sum both result on account_id - for id in ids: - res[id][f] = round(res[id][f], dp) + round(res2.get(id, 0.0), dp) - + res[account_id][f] = round(sum, dp) return res def _ca_invoiced_calc(self, cr, uid, ids, name, arg, context=None): res = {} res_final = {} - child_ids = tuple(self.search(cr, uid, [('parent_id', 'child_of', ids)], context=context)) + child_ids = tuple(ids) #We don't want consolidation for each of these fields because those complex computation is resource-greedy. for i in child_ids: - res[i] = {} - for n in [name]: - res[i][n] = 0.0 + res[i] = 0.0 if not child_ids: return res @@ -269,24 +221,18 @@ class account_analytic_account(osv.osv): AND account_analytic_journal.type = 'sale' \ GROUP BY account_analytic_line.account_id", (child_ids,)) for account_id, sum in cr.fetchall(): - res[account_id][name] = round(sum,2) - data = self._compute_level_tree(cr, uid, ids, child_ids, res, [name], context=context) - for i in data: - res_final[i] = data[i][name] + res[account_id] = round(sum,2) + res_final = res return res_final def _total_cost_calc(self, cr, uid, ids, name, arg, context=None): res = {} res_final = {} - child_ids = tuple(self.search(cr, uid, [('parent_id', 'child_of', ids)], context=context)) - + child_ids = tuple(ids) #We don't want consolidation for each of these fields because those complex computation is resource-greedy. for i in child_ids: - res[i] = {} - for n in [name]: - res[i][n] = 0.0 + res[i] = 0.0 if not child_ids: return res - if child_ids: cr.execute("""SELECT account_analytic_line.account_id, COALESCE(SUM(amount), 0.0) \ FROM account_analytic_line \ @@ -296,10 +242,8 @@ class account_analytic_account(osv.osv): AND amount<0 \ GROUP BY account_analytic_line.account_id""",(child_ids,)) for account_id, sum in cr.fetchall(): - res[account_id][name] = round(sum,2) - data = self._compute_level_tree(cr, uid, ids, child_ids, res, [name], context) - for i in data: - res_final[i] = data[i][name] + res[account_id] = round(sum,2) + res_final = res return res_final def _remaining_hours_calc(self, cr, uid, ids, name, arg, context=None): @@ -455,7 +399,7 @@ class account_analytic_account_summary_user(osv.osv): max_user = cr.fetchone()[0] account_ids = [int(str(x/max_user - (x%max_user == 0 and 1 or 0))) for x in ids] user_ids = [int(str(x-((x/max_user - (x%max_user == 0 and 1 or 0)) *max_user))) for x in ids] - parent_ids = tuple(account_obj.search(cr, uid, [('parent_id', 'child_of', account_ids)], context=context)) + parent_ids = tuple(account_ids) #We don't want consolidation for each of these fields because those complex computation is resource-greedy. if parent_ids: cr.execute('SELECT id, unit_amount ' \ 'FROM account_analytic_analysis_summary_user ' \ @@ -463,12 +407,6 @@ class account_analytic_account_summary_user(osv.osv): 'AND "user" IN %s',(parent_ids, tuple(user_ids),)) for sum_id, unit_amount in cr.fetchall(): res[sum_id] = unit_amount - for obj_id in ids: - res.setdefault(obj_id, 0.0) - for child_id in account_obj.search(cr, uid, - [('parent_id', 'child_of', [int(str(obj_id/max_user - (obj_id%max_user == 0 and 1 or 0)))])]): - if child_id != int(str(obj_id/max_user - (obj_id%max_user == 0 and 1 or 0))): - res[obj_id] += res.get((child_id * max_user) + obj_id -((obj_id/max_user - (obj_id%max_user == 0 and 1 or 0)) * max_user), 0.0) for id in ids: res[id] = round(res.get(id, 0.0), 2) return res @@ -619,7 +557,7 @@ class account_analytic_account_summary_month(osv.osv): account_obj = self.pool.get('account.analytic.account') account_ids = [int(str(int(x))[:-6]) for x in ids] month_ids = [int(str(int(x))[-6:]) for x in ids] - parent_ids = tuple(account_obj.search(cr, uid, [('parent_id', 'child_of', account_ids)], context=context)) + parent_ids = tuple(ids) #We don't want consolidation for each of these fields because those complex computation is resource-greedy. if parent_ids: cr.execute('SELECT id, unit_amount ' \ 'FROM account_analytic_analysis_summary_month ' \ @@ -627,12 +565,6 @@ class account_analytic_account_summary_month(osv.osv): 'AND month_id IN %s ',(parent_ids, tuple(month_ids),)) for sum_id, unit_amount in cr.fetchall(): res[sum_id] = unit_amount - for obj_id in ids: - res.setdefault(obj_id, 0.0) - for child_id in account_obj.search(cr, uid, - [('parent_id', 'child_of', [int(str(int(obj_id))[:-6])])]): - if child_id != int(str(int(obj_id))[:-6]): - res[obj_id] += res.get(int(child_id * 1000000 + int(str(int(obj_id))[-6:])), 0.0) for id in ids: res[id] = round(res.get(id, 0.0), 2) return res @@ -778,5 +710,4 @@ class account_analytic_account_summary_month(osv.osv): return res account_analytic_account_summary_month() - # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: diff --git a/addons/account_analytic_analysis/account_analytic_analysis_view.xml b/addons/account_analytic_analysis/account_analytic_analysis_view.xml index 73c98e650f8..60d30f9fff0 100644 --- a/addons/account_analytic_analysis/account_analytic_analysis_view.xml +++ b/addons/account_analytic_analysis/account_analytic_analysis_view.xml @@ -93,6 +93,7 @@ + From 74e627b0c62b7d447f53d349ff565681d6a015b8 Mon Sep 17 00:00:00 2001 From: "nicolas.bessi@camptocamp.com" <> Date: Mon, 9 Jan 2012 21:12:14 +0100 Subject: [PATCH 051/166] [FIX] template lookup bzr revid: nicolas.bessi@camptocamp.com-20120109201214-211nhcysziaxyhbe --- addons/report_webkit/webkit_report.py | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/addons/report_webkit/webkit_report.py b/addons/report_webkit/webkit_report.py index 7e828403437..4cefe173669 100644 --- a/addons/report_webkit/webkit_report.py +++ b/addons/report_webkit/webkit_report.py @@ -38,6 +38,7 @@ import time import logging from mako.template import Template +from mako.lookup import TemplateLookup from mako import exceptions import netsvc @@ -56,8 +57,8 @@ def mako_template(text): This template uses UTF-8 encoding """ - # default_filters=['unicode', 'h'] can be used to set global filters - return Template(text, input_encoding='utf-8', output_encoding='utf-8') + tmp_lookup = TemplateLookup()#we need it in order to allows inclusion and inheritance + return Template(text, input_encoding='utf-8', output_encoding='utf-8', lookup=tmp_lookup) class WebKitParser(report_sxw): From 0694c5401097b980008e0b0b6c3addd35357082b Mon Sep 17 00:00:00 2001 From: "nicolas.bessi@camptocamp.com" <> Date: Mon, 9 Jan 2012 21:13:53 +0100 Subject: [PATCH 052/166] [FIX] template lookup typo bzr revid: nicolas.bessi@camptocamp.com-20120109201353-qbbu6yzdhzoen7i6 --- addons/report_webkit/webkit_report.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/report_webkit/webkit_report.py b/addons/report_webkit/webkit_report.py index 4cefe173669..c3753f5de3b 100644 --- a/addons/report_webkit/webkit_report.py +++ b/addons/report_webkit/webkit_report.py @@ -57,7 +57,7 @@ def mako_template(text): This template uses UTF-8 encoding """ - tmp_lookup = TemplateLookup()#we need it in order to allows inclusion and inheritance + tmp_lookup = TemplateLookup() #we need it in order to allow inclusion and inheritance return Template(text, input_encoding='utf-8', output_encoding='utf-8', lookup=tmp_lookup) From 422763d435b6487444bc5c01796bfb793492c8dc Mon Sep 17 00:00:00 2001 From: Launchpad Translations on behalf of openerp <> Date: Tue, 10 Jan 2012 05:22:15 +0000 Subject: [PATCH 053/166] Launchpad automatic translations update. bzr revid: launchpad_translations_on_behalf_of_openerp-20120110052215-m0wfoet7izxkisx9 --- addons/account/i18n/tr.po | 8 +- addons/plugin_thunderbird/i18n/ro.po | 158 +++ addons/sale/i18n/ar.po | 12 +- addons/stock_planning/i18n/nl.po | 1235 ++++++++++++++++++ addons/survey/i18n/ro.po | 1796 ++++++++++++++++++++++++++ addons/users_ldap/i18n/ro.po | 180 +++ 6 files changed, 3379 insertions(+), 10 deletions(-) create mode 100644 addons/plugin_thunderbird/i18n/ro.po create mode 100644 addons/stock_planning/i18n/nl.po create mode 100644 addons/survey/i18n/ro.po create mode 100644 addons/users_ldap/i18n/ro.po diff --git a/addons/account/i18n/tr.po b/addons/account/i18n/tr.po index 54b9c2f2050..df284ac0231 100644 --- a/addons/account/i18n/tr.po +++ b/addons/account/i18n/tr.po @@ -7,13 +7,13 @@ msgstr "" "Project-Id-Version: OpenERP Server 6.0dev\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-23 09:55+0000\n" -"PO-Revision-Date: 2012-01-08 11:37+0000\n" -"Last-Translator: Ahmet Altınışık \n" +"PO-Revision-Date: 2012-01-09 20:41+0000\n" +"Last-Translator: Erdem U \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-09 04:50+0000\n" +"X-Launchpad-Export-Date: 2012-01-10 05:21+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: account @@ -3862,7 +3862,7 @@ msgstr "Onayla" #. module: account #: model:account.financial.report,name:account.account_financial_report_assets0 msgid "Assets" -msgstr "" +msgstr "Varlıklar" #. module: account #: view:account.invoice.confirm:0 diff --git a/addons/plugin_thunderbird/i18n/ro.po b/addons/plugin_thunderbird/i18n/ro.po new file mode 100644 index 00000000000..67267b9666f --- /dev/null +++ b/addons/plugin_thunderbird/i18n/ro.po @@ -0,0 +1,158 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-01-11 11:16+0000\n" +"PO-Revision-Date: 2012-01-09 12:02+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-10 05:22+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: thunderbird +#: field:thunderbird.installer,plugin_file:0 +#: field:thunderbird.installer,thunderbird:0 +msgid "Thunderbird Plug-in" +msgstr "Plug-in (Modul de extensie) Thunderbird" + +#. module: thunderbird +#: help:thunderbird.installer,plugin_file:0 +msgid "" +"Thunderbird plug-in file. Save as this file and install this plug-in in " +"thunderbird." +msgstr "" +"Fisier de extensie Thunderbird. Salvează acest fisier si instalează această " +"extensie in thunderbird." + +#. module: thunderbird +#: help:thunderbird.installer,thunderbird:0 +msgid "" +"Allows you to select an object that you would like to add to your email and " +"its attachments." +msgstr "" +"Vă permite să selectati un obiect pe care doriti să il atasati la e-mail si " +"atasamentele lui." + +#. module: thunderbird +#: help:thunderbird.installer,pdf_file:0 +msgid "The documentation file :- how to install Thunderbird Plug-in." +msgstr "Fisier de documentatie :- cum se instalează Extensia Thunderbird." + +#. module: thunderbird +#: model:ir.model,name:thunderbird.model_email_server_tools +msgid "Email Server Tools" +msgstr "Unelte server email" + +#. module: thunderbird +#: view:thunderbird.installer:0 +msgid "_Close" +msgstr "_Închide" + +#. module: thunderbird +#: field:thunderbird.installer,pdf_file:0 +msgid "Installation Manual" +msgstr "Manual de instalare" + +#. module: thunderbird +#: field:thunderbird.installer,description:0 +msgid "Description" +msgstr "Descriere" + +#. module: thunderbird +#: view:thunderbird.installer:0 +msgid "title" +msgstr "titlu" + +#. module: thunderbird +#: model:ir.ui.menu,name:thunderbird.menu_base_config_plugins_thunderbird +#: view:thunderbird.installer:0 +msgid "Thunderbird Plug-In" +msgstr "Extensie Plug-In Thunderbird" + +#. module: thunderbird +#: view:thunderbird.installer:0 +msgid "" +"This plug-in allows you to link your e-mail to OpenERP's documents. You can " +"attach it to any existing one in OpenERP or create a new one." +msgstr "" +"Această extensie vă permite să vă conectati e-mail-urile la documentele " +"OpenERP. Puteti să le atasati de orice document existent in OpenERP sau să " +"creati unul nou." + +#. module: thunderbird +#: model:ir.module.module,shortdesc:thunderbird.module_meta_information +msgid "Thunderbird Interface" +msgstr "Interfata Thunderbird" + +#. module: thunderbird +#: model:ir.model,name:thunderbird.model_thunderbird_installer +msgid "thunderbird.installer" +msgstr "thunderbird.installer" + +#. module: thunderbird +#: field:thunderbird.installer,name:0 +#: field:thunderbird.installer,pdf_name:0 +msgid "File name" +msgstr "Numele fişierului" + +#. module: thunderbird +#: view:thunderbird.installer:0 +msgid "Installation and Configuration Steps" +msgstr "Pașii de instalare și configurare" + +#. module: thunderbird +#: field:thunderbird.installer,progress:0 +msgid "Configuration Progress" +msgstr "Progres configurare" + +#. module: thunderbird +#: model:ir.actions.act_window,name:thunderbird.action_thunderbird_installer +#: model:ir.actions.act_window,name:thunderbird.action_thunderbird_wizard +#: view:thunderbird.installer:0 +msgid "Thunderbird Plug-In Configuration" +msgstr "Configurarea extensiei Thunderbird" + +#. module: thunderbird +#: model:ir.model,name:thunderbird.model_thunderbird_partner +msgid "Thunderbid Plugin Tools" +msgstr "Instrumente Extensie Thunderbird" + +#. module: thunderbird +#: view:thunderbird.installer:0 +msgid "Configure" +msgstr "Configurează" + +#. module: thunderbird +#: view:thunderbird.installer:0 +msgid "Skip" +msgstr "Omite" + +#. module: thunderbird +#: field:thunderbird.installer,config_logo:0 +msgid "Image" +msgstr "Imagine" + +#. module: thunderbird +#: model:ir.module.module,description:thunderbird.module_meta_information +msgid "" +"\n" +" This module is required for the thuderbird plug-in to work\n" +" properly.\n" +" The Plugin allows you archive email and its attachments to the " +"selected \n" +" OpenERP objects. You can select a partner, a task, a project, an " +"analytical\n" +" account,or any other object and attach selected mail as eml file in \n" +" attachment of selected record. You can create Documents for crm Lead,\n" +" HR Applicant and project issue from selected mails.\n" +"\n" +" " +msgstr "" diff --git a/addons/sale/i18n/ar.po b/addons/sale/i18n/ar.po index 1660ab7a4ff..c7bfa423c6c 100644 --- a/addons/sale/i18n/ar.po +++ b/addons/sale/i18n/ar.po @@ -7,14 +7,14 @@ msgstr "" "Project-Id-Version: OpenERP Server 6.0dev\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-22 18:43+0000\n" -"PO-Revision-Date: 2011-11-05 10:31+0000\n" -"Last-Translator: Ahmad Khayyat \n" +"PO-Revision-Date: 2012-01-09 21:43+0000\n" +"Last-Translator: kifcaliph \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-12-23 06:46+0000\n" -"X-Generator: Launchpad (build 14560)\n" +"X-Launchpad-Export-Date: 2012-01-10 05:22+0000\n" +"X-Generator: Launchpad (build 14640)\n" #. module: sale #: field:sale.config.picking_policy,timesheet:0 @@ -81,7 +81,7 @@ msgstr "تم تحويل العرض المالي '%s' إلى طلب مبيعات" #: code:addons/sale/wizard/sale_make_invoice.py:42 #, python-format msgid "Warning !" -msgstr "" +msgstr "تحذير !" #. module: sale #: report:sale.order:0 @@ -1505,7 +1505,7 @@ msgstr "" #. module: sale #: field:sale.order,origin:0 msgid "Source Document" -msgstr "المستند المصدر" +msgstr "مستند المصدر" #. module: sale #: view:sale.order.line:0 diff --git a/addons/stock_planning/i18n/nl.po b/addons/stock_planning/i18n/nl.po new file mode 100644 index 00000000000..0f7f9a12e25 --- /dev/null +++ b/addons/stock_planning/i18n/nl.po @@ -0,0 +1,1235 @@ +# Dutch translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-09 12:40+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Dutch \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-10 05:22+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: stock_planning +#: code:addons/stock_planning/wizard/stock_planning_createlines.py:73 +#, python-format +msgid "" +"No forecasts for selected period or no products in selected category !" +msgstr "" +"Geen prognose voor de geselecteerde periode of geen producten in de " +"geselecteerde catagorie!" + +#. module: stock_planning +#: help:stock.planning,stock_only:0 +msgid "" +"Check to calculate stock location of selected warehouse only. If not " +"selected calculation is made for input, stock and output location of " +"warehouse." +msgstr "" + +#. module: stock_planning +#: field:stock.planning,maximum_op:0 +msgid "Maximum Rule" +msgstr "Maximum regel" + +#. module: stock_planning +#: view:stock.planning:0 +#: view:stock.sale.forecast:0 +msgid "Group By..." +msgstr "Groepeer op..." + +#. module: stock_planning +#: help:stock.sale.forecast,product_amt:0 +msgid "" +"Forecast value which will be converted to Product Quantity according to " +"prices." +msgstr "" +"Prognose waarde welke geconverteeerd wordt naar productie hoeveelheid, " +"oveenkomstig de prijzen." + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:626 +#: code:addons/stock_planning/stock_planning.py:670 +#, python-format +msgid "Incoming Left must be greater than 0 !" +msgstr "Inkomend restant moet groter zijn dan o!" + +#. module: stock_planning +#: help:stock.planning,outgoing_before:0 +msgid "" +"Planned Out in periods before calculated. Between start date of current " +"period and one day before start of calculated period." +msgstr "" + +#. module: stock_planning +#: help:stock.sale.forecast.createlines,warehouse_id:0 +msgid "" +"Warehouse which forecasts will concern. If during stock planning you will " +"need sales forecast for all warehouses choose any warehouse now." +msgstr "" + +#. module: stock_planning +#: field:stock.planning,outgoing_left:0 +msgid "Expected Out" +msgstr "Verwacht uit" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid " " +msgstr " " + +#. module: stock_planning +#: field:stock.planning,incoming_left:0 +msgid "Incoming Left" +msgstr "Inkoment restant" + +#. module: stock_planning +#: view:stock.sale.forecast.createlines:0 +msgid "Create Forecasts Lines" +msgstr "Maak prognose regels" + +#. module: stock_planning +#: help:stock.planning,outgoing:0 +msgid "Quantity of all confirmed outgoing moves in calculated Period." +msgstr "" + +#. module: stock_planning +#: view:stock.period.createlines:0 +msgid "Create Daily Periods" +msgstr "Maak dagelijkse periodes" + +#. module: stock_planning +#: view:stock.planning:0 +#: field:stock.planning,company_id:0 +#: field:stock.planning.createlines,company_id:0 +#: view:stock.sale.forecast:0 +#: field:stock.sale.forecast,company_id:0 +#: field:stock.sale.forecast.createlines,company_id:0 +msgid "Company" +msgstr "Bedrijf" + +#. module: stock_planning +#: help:stock.planning,warehouse_forecast:0 +msgid "" +"All sales forecasts for selected Warehouse of selected Product during " +"selected Period." +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Minimum Stock Rule Indicators" +msgstr "Minimum voorraad regels indicatoren" + +#. module: stock_planning +#: help:stock.sale.forecast.createlines,period_id:0 +msgid "Period which forecasts will concern." +msgstr "" + +#. module: stock_planning +#: field:stock.planning,stock_only:0 +msgid "Stock Location Only" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,already_out:0 +msgid "" +"Quantity which is already dispatched out of this warehouse in current period." +msgstr "" + +#. module: stock_planning +#: field:stock.planning,incoming:0 +msgid "Confirmed In" +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Current Period Situation" +msgstr "" + +#. module: stock_planning +#: model:ir.actions.act_window,help:stock_planning.action_stock_period_createlines_form +msgid "" +"This wizard helps with the creation of stock planning periods. These periods " +"are independent of financial periods. If you need periods other than day-, " +"week- or month-based, you may also add then manually." +msgstr "" + +#. module: stock_planning +#: view:stock.period.createlines:0 +msgid "Create Monthly Periods" +msgstr "Creëer maandelijkse Periodes" + +#. module: stock_planning +#: model:ir.model,name:stock_planning.model_stock_period_createlines +msgid "stock.period.createlines" +msgstr "stock.period.createlines" + +#. module: stock_planning +#: field:stock.planning,outgoing_before:0 +msgid "Planned Out Before" +msgstr "Gepland uit voor" + +#. module: stock_planning +#: field:stock.planning.createlines,forecasted_products:0 +msgid "All Products with Forecast" +msgstr "Alle producten met prognose" + +#. module: stock_planning +#: help:stock.planning,maximum_op:0 +msgid "Maximum quantity set in Minimum Stock Rules for this Warehouse" +msgstr "" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Periods :" +msgstr "Periodes:" + +#. module: stock_planning +#: help:stock.planning,procure_to_stock:0 +msgid "" +"Check to make procurement to stock location of selected warehouse. If not " +"selected procurement will be made into input location of warehouse." +msgstr "" + +#. module: stock_planning +#: help:stock.planning,already_in:0 +msgid "" +"Quantity which is already picked up to this warehouse in current period." +msgstr "" + +#. module: stock_planning +#: code:addons/stock_planning/wizard/stock_planning_forecast.py:60 +#, python-format +msgid "No products in selected category !" +msgstr "Geen producten in de geselecteerde catagorie!" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Stock and Sales Forecast" +msgstr "Voorraad en verkoop prognose" + +#. module: stock_planning +#: model:ir.model,name:stock_planning.model_stock_sale_forecast +msgid "stock.sale.forecast" +msgstr "stock.sale.forecast" + +#. module: stock_planning +#: field:stock.planning,to_procure:0 +msgid "Planned In" +msgstr "Gepland In" + +#. module: stock_planning +#: field:stock.planning,stock_simulation:0 +msgid "Stock Simulation" +msgstr "Voorraad simulatie" + +#. module: stock_planning +#: model:ir.model,name:stock_planning.model_stock_planning_createlines +msgid "stock.planning.createlines" +msgstr "stock.planning.createlines" + +#. module: stock_planning +#: help:stock.planning,incoming_before:0 +msgid "" +"Confirmed incoming in periods before calculated (Including Already In). " +"Between start date of current period and one day before start of calculated " +"period." +msgstr "" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Search Sales Forecast" +msgstr "Zoek verkoop prognose" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period5_per_user:0 +msgid "This User Period5" +msgstr "Deze gebruiker periode5" + +#. module: stock_planning +#: help:stock.planning,history:0 +msgid "History of procurement or internal supply of this planning line." +msgstr "" + +#. module: stock_planning +#: help:stock.planning,company_forecast:0 +msgid "" +"All sales forecasts for whole company (for all Warehouses) of selected " +"Product during selected Period." +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period1_per_user:0 +msgid "This User Period1" +msgstr "Deze gebruiker periode1" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period3_per_user:0 +msgid "This User Period3" +msgstr "Deze gebruiker periode3" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Stock Planning" +msgstr "Voorraadplanning" + +#. module: stock_planning +#: field:stock.planning,minimum_op:0 +msgid "Minimum Rule" +msgstr "Minimum regel" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Procure Incoming Left" +msgstr "" + +#. module: stock_planning +#: view:stock.planning.createlines:0 +#: view:stock.sale.forecast.createlines:0 +msgid "Create" +msgstr "Maken" + +#. module: stock_planning +#: model:ir.actions.act_window,name:stock_planning.action_view_stock_planning_form +#: model:ir.ui.menu,name:stock_planning.menu_stock_planning +#: model:ir.ui.menu,name:stock_planning.menu_stock_planning_manual +#: view:stock.planning:0 +msgid "Master Procurement Schedule" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,line_time:0 +msgid "Past/Future" +msgstr "" + +#. module: stock_planning +#: view:stock.period:0 +#: field:stock.period,state:0 +#: field:stock.planning,state:0 +#: field:stock.sale.forecast,state:0 +msgid "State" +msgstr "Status" + +#. module: stock_planning +#: help:stock.sale.forecast.createlines,product_categ_id:0 +msgid "Product Category of products which created forecasts will concern." +msgstr "" + +#. module: stock_planning +#: model:ir.model,name:stock_planning.model_stock_period +msgid "stock period" +msgstr "voorraad periode" + +#. module: stock_planning +#: model:ir.model,name:stock_planning.model_stock_sale_forecast_createlines +msgid "stock.sale.forecast.createlines" +msgstr "stock.sale.forecast.createlines" + +#. module: stock_planning +#: field:stock.planning,warehouse_id:0 +#: field:stock.planning.createlines,warehouse_id:0 +#: field:stock.sale.forecast,warehouse_id:0 +#: field:stock.sale.forecast.createlines,warehouse_id:0 +msgid "Warehouse" +msgstr "Magazijn" + +#. module: stock_planning +#: help:stock.planning,stock_simulation:0 +msgid "" +"Stock simulation at the end of selected Period.\n" +" For current period it is: \n" +"Initial Stock - Already Out + Already In - Expected Out + Incoming Left.\n" +"For periods ahead it is: \n" +"Initial Stock - Planned Out Before + Incoming Before - Planned Out + Planned " +"In." +msgstr "" + +#. module: stock_planning +#: help:stock.sale.forecast,analyze_company:0 +msgid "Check this box to see the sales for whole company." +msgstr "Vink dit aan om de verkopen van het gehele bedrijf te zien." + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Per Department :" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,incoming_before:0 +msgid "Incoming Before" +msgstr "Inkomend voor" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:641 +#, python-format +msgid "" +" Procurement created by MPS for user: %s Creation Date: %s " +" \n" +" For period: %s \n" +" according to state: \n" +" Warehouse Forecast: %s \n" +" Initial Stock: %s \n" +" Planned Out: %s Planned In: %s \n" +" Already Out: %s Already In: %s \n" +" Confirmed Out: %s Confirmed In: %s " +" \n" +" Planned Out Before: %s Confirmed In Before: %s " +" \n" +" Expected Out: %s Incoming Left: %s " +" \n" +" Stock Simulation: %s Minimum stock: %s" +msgstr "" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:626 +#: code:addons/stock_planning/stock_planning.py:670 +#: code:addons/stock_planning/stock_planning.py:672 +#: code:addons/stock_planning/stock_planning.py:674 +#: code:addons/stock_planning/wizard/stock_planning_createlines.py:73 +#: code:addons/stock_planning/wizard/stock_planning_forecast.py:60 +#, python-format +msgid "Error !" +msgstr "Fout !" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_user_id:0 +msgid "This User" +msgstr "Deze gebruiker" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Forecasts" +msgstr "Prognose" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Supply from Another Warehouse" +msgstr "Lever vanuit ander magazijn" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Calculate Planning" +msgstr "Bereken planning" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:146 +#, python-format +msgid "Invalid action !" +msgstr "Foutieve handeling!" + +#. module: stock_planning +#: help:stock.planning,stock_start:0 +msgid "Stock quantity one day before current period." +msgstr "Voorraad hoeveelheid 1 dag voor huidige periode." + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Procurement history" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,product_uom:0 +msgid "" +"Unit of Measure used to show the quantities of stock calculation.You can use " +"units from default category or from second category (UoS category)." +msgstr "" + +#. module: stock_planning +#: view:stock.period.createlines:0 +msgid "Create Weekly Periods" +msgstr "Maak wekelijkse periodes" + +#. module: stock_planning +#: model:ir.actions.act_window,help:stock_planning.action_stock_period_form +msgid "" +"Stock periods are used for stock planning. Stock periods are independent of " +"account periods. You can use wizard for creating periods and review them " +"here." +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Calculated Period Simulation" +msgstr "" + +#. module: stock_planning +#: view:stock.period.createlines:0 +msgid "Cancel" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period4_per_user:0 +msgid "This User Period4" +msgstr "Deze gebruiker periode4" + +#. module: stock_planning +#: view:stock.period:0 +msgid "Stock and Sales Period" +msgstr "Voorraad en verkoop periode" + +#. module: stock_planning +#: field:stock.planning,company_forecast:0 +msgid "Company Forecast" +msgstr "Bedrijf prognose" + +#. module: stock_planning +#: help:stock.planning,minimum_op:0 +msgid "Minimum quantity set in Minimum Stock Rules for this Warehouse" +msgstr "" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Per User :" +msgstr "Per gebruiker:" + +#. module: stock_planning +#: help:stock.planning.createlines,warehouse_id:0 +msgid "Warehouse which planning will concern." +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,user_id:0 +msgid "Created/Validated by" +msgstr "Gemaakt/Gecontroleerd door" + +#. module: stock_planning +#: field:stock.planning,warehouse_forecast:0 +msgid "Warehouse Forecast" +msgstr "" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:674 +#, python-format +msgid "" +"You must specify a Source Warehouse different than calculated (destination) " +"Warehouse !" +msgstr "" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:146 +#, python-format +msgid "Cannot delete a validated sales forecast!" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period5_per_company:0 +msgid "This Company Period5" +msgstr "Dit bedrijf periode5" + +#. module: stock_planning +#: field:stock.sale.forecast,product_uom:0 +msgid "Product UoM" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period1_per_company:0 +msgid "This Company Period1" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period2_per_company:0 +msgid "This Company Period2" +msgstr "Dit bedrijf periode2" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period3_per_company:0 +msgid "This Company Period3" +msgstr "Dit bedrijf periode3" + +#. module: stock_planning +#: field:stock.period,date_start:0 +#: field:stock.period.createlines,date_start:0 +msgid "Start Date" +msgstr "Startdatum" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period2_per_user:0 +msgid "This User Period2" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,confirmed_forecasts_only:0 +msgid "Validated Forecasts" +msgstr "Bevestigde prognose" + +#. module: stock_planning +#: help:stock.planning.createlines,product_categ_id:0 +msgid "" +"Planning will be created for products from Product Category selected by this " +"field. This field is ignored when you check \"All Forecasted Product\" box." +msgstr "" + +#. module: stock_planning +#: field:stock.planning,planned_outgoing:0 +msgid "Planned Out" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,product_qty:0 +msgid "Forecast Quantity" +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Forecast" +msgstr "Prognose" + +#. module: stock_planning +#: selection:stock.period,state:0 +#: selection:stock.planning,state:0 +#: selection:stock.sale.forecast,state:0 +msgid "Draft" +msgstr "Concept" + +#. module: stock_planning +#: view:stock.period:0 +msgid "Closed" +msgstr "Gesloten" + +#. module: stock_planning +#: view:stock.planning:0 +#: view:stock.sale.forecast:0 +msgid "Warehouse " +msgstr "Magazijn " + +#. module: stock_planning +#: help:stock.sale.forecast,product_uom:0 +msgid "" +"Unit of Measure used to show the quantities of stock calculation.You can use " +"units form default category or from second category (UoS category)." +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Planning and Situation for Calculated Period" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,planned_outgoing:0 +msgid "" +"Enter planned outgoing quantity from selected Warehouse during the selected " +"Period of selected Product. To plan this value look at Confirmed Out or " +"Sales Forecasts. This value should be equal or greater than Confirmed Out." +msgstr "" + +#. module: stock_planning +#: view:stock.period:0 +msgid "Current Periods" +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Internal Supply" +msgstr "Interne levering" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:724 +#, python-format +msgid "%s Pick List %s (%s, %s) %s %s \n" +msgstr "" + +#. module: stock_planning +#: model:ir.actions.act_window,name:stock_planning.action_stock_sale_forecast_createlines_form +#: model:ir.ui.menu,name:stock_planning.menu_stock_sale_forecast_createlines +msgid "Create Sales Forecasts" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period4_id:0 +msgid "Period4" +msgstr "" + +#. module: stock_planning +#: field:stock.period,name:0 +#: field:stock.period.createlines,name:0 +msgid "Period Name" +msgstr "Periodenaam" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period2_id:0 +msgid "Period2" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period3_id:0 +msgid "Period3" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period1_id:0 +msgid "Period1" +msgstr "" + +#. module: stock_planning +#: model:ir.actions.act_window,help:stock_planning.action_stock_planning_createlines_form +msgid "" +"This wizard helps create MPS planning lines for a given selected period and " +"warehouse, so you don't have to create them one by one. The wizard doesn't " +"duplicate lines if they already exist for this selection." +msgstr "" + +#. module: stock_planning +#: field:stock.planning,outgoing:0 +msgid "Confirmed Out" +msgstr "" + +#. module: stock_planning +#: model:ir.actions.act_window,name:stock_planning.action_stock_planning_createlines_form +#: model:ir.ui.menu,name:stock_planning.menu_stock_planning_createlines +#: view:stock.planning.createlines:0 +msgid "Create Stock Planning Lines" +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "General Info" +msgstr "" + +#. module: stock_planning +#: model:ir.actions.act_window,name:stock_planning.action_view_stock_sale_forecast_form +msgid "Sales Forecast" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period1_per_warehouse:0 +msgid "This Warehouse Period1" +msgstr "" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Sales history" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,supply_warehouse_id:0 +msgid "Source Warehouse" +msgstr "" + +#. module: stock_planning +#: help:stock.sale.forecast,product_qty:0 +msgid "Forecast Product quantity." +msgstr "" + +#. module: stock_planning +#: field:stock.planning,stock_supply_location:0 +msgid "Stock Supply Location" +msgstr "" + +#. module: stock_planning +#: help:stock.period.createlines,date_stop:0 +msgid "Ending date for planning period." +msgstr "" + +#. module: stock_planning +#: help:stock.planning.createlines,forecasted_products:0 +msgid "" +"Check this box to create planning for all products having any forecast for " +"selected Warehouse and Period. Product Category field will be ignored." +msgstr "" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:632 +#: code:addons/stock_planning/stock_planning.py:678 +#: code:addons/stock_planning/stock_planning.py:702 +#, python-format +msgid "MPS(%s) %s" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,already_in:0 +msgid "Already In" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,product_uom_categ:0 +#: field:stock.planning,product_uos_categ:0 +#: field:stock.sale.forecast,product_uom_categ:0 +msgid "Product UoM Category" +msgstr "" + +#. module: stock_planning +#: model:ir.actions.act_window,help:stock_planning.action_view_stock_sale_forecast_form +msgid "" +"This quantity sales forecast is an indication for Stock Planner to make " +"procurement manually or to complement automatic procurement. You can use " +"manual procurement with this forecast when some periods are exceptional for " +"usual minimum stock rules." +msgstr "" + +#. module: stock_planning +#: model:ir.actions.act_window,help:stock_planning.action_view_stock_planning_form +msgid "" +"The Master Procurement Schedule can be the main driver for warehouse " +"replenishment, or can complement the automatic MRP scheduling (minimum stock " +"rules, etc.).\n" +"Each MPS line gives you a pre-computed overview of the incoming and outgoing " +"quantities of a given product for a given Stock Period in a given Warehouse, " +"based on the current and future stock levels,\n" +"as well as the planned stock moves. The forecast quantities can be altered " +"manually, and when satisfied with resulting (simulated) Stock quantity, you " +"can trigger the procurement of what is missing to reach your desired " +"quantities" +msgstr "" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:685 +#, python-format +msgid "" +"Pick created from MPS by user: %s Creation Date: %s " +" \n" +"For period: %s according to state: \n" +" Warehouse Forecast: %s \n" +" Initial Stock: %s \n" +" Planned Out: %s Planned In: %s \n" +" Already Out: %s Already In: %s \n" +" Confirmed Out: %s Confirmed In: %s \n" +" Planned Out Before: %s Confirmed In Before: %s " +" \n" +" Expected Out: %s Incoming Left: %s \n" +" Stock Simulation: %s Minimum stock: %s " +msgstr "" + +#. module: stock_planning +#: field:stock.planning,period_id:0 +#: field:stock.planning.createlines,period_id:0 +#: field:stock.sale.forecast,period_id:0 +#: field:stock.sale.forecast.createlines,period_id:0 +msgid "Period" +msgstr "Periode" + +#. module: stock_planning +#: field:stock.sale.forecast,product_uos_categ:0 +msgid "Product UoS Category" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,active_uom:0 +#: field:stock.sale.forecast,active_uom:0 +msgid "Active UoM" +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Search Stock Planning" +msgstr "Zoek voorraad planning" + +#. module: stock_planning +#: field:stock.sale.forecast.createlines,copy_forecast:0 +msgid "Copy Last Forecast" +msgstr "" + +#. module: stock_planning +#: help:stock.sale.forecast,product_id:0 +msgid "Shows which product this forecast concerns." +msgstr "" + +#. module: stock_planning +#: selection:stock.planning,state:0 +msgid "Done" +msgstr "" + +#. module: stock_planning +#: field:stock.period.createlines,period_ids:0 +msgid "Periods" +msgstr "" + +#. module: stock_planning +#: model:ir.ui.menu,name:stock_planning.menu_stock_period_creatlines +msgid "Create Stock Periods" +msgstr "" + +#. module: stock_planning +#: view:stock.period:0 +#: selection:stock.period,state:0 +#: view:stock.planning.createlines:0 +#: view:stock.sale.forecast.createlines:0 +msgid "Close" +msgstr "" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +#: selection:stock.sale.forecast,state:0 +msgid "Validated" +msgstr "" + +#. module: stock_planning +#: view:stock.period:0 +#: selection:stock.period,state:0 +msgid "Open" +msgstr "" + +#. module: stock_planning +#: help:stock.sale.forecast.createlines,copy_forecast:0 +msgid "Copy quantities from last Stock and Sale Forecast." +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period1_per_dept:0 +msgid "This Dept Period1" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period3_per_dept:0 +msgid "This Dept Period3" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period2_per_dept:0 +msgid "This Dept Period2" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period5_per_dept:0 +msgid "This Dept Period5" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period4_per_dept:0 +msgid "This Dept Period4" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period2_per_warehouse:0 +msgid "This Warehouse Period2" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period3_per_warehouse:0 +msgid "This Warehouse Period3" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,stock_supply_location:0 +msgid "" +"Check to supply from Stock location of Supply Warehouse. If not checked " +"supply will be made from Output location of Supply Warehouse. Used in " +"'Supply from Another Warehouse' with Supply Warehouse." +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,create_uid:0 +msgid "Responsible" +msgstr "" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Default UOM" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period4_per_warehouse:0 +msgid "This Warehouse Period4" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period5_per_warehouse:0 +msgid "This Warehouse Period5" +msgstr "" + +#. module: stock_planning +#: view:stock.period:0 +msgid "Current" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,supply_warehouse_id:0 +msgid "" +"Warehouse used as source in supply pick move created by 'Supply from Another " +"Warehouse'." +msgstr "" + +#. module: stock_planning +#: model:ir.model,name:stock_planning.model_stock_planning +msgid "stock.planning" +msgstr "" + +#. module: stock_planning +#: help:stock.sale.forecast,warehouse_id:0 +msgid "" +"Shows which warehouse this forecast concerns. If during stock planning you " +"will need sales forecast for all warehouses choose any warehouse now." +msgstr "" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:661 +#, python-format +msgid "%s Procurement (%s, %s) %s %s \n" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyze_company:0 +msgid "Per Company" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,to_procure:0 +msgid "" +"Enter quantity which (by your plan) should come in. Change this value and " +"observe Stock simulation. This value should be equal or greater than " +"Confirmed In." +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period4_per_company:0 +msgid "This Company Period4" +msgstr "Dit bedrijf periode4" + +#. module: stock_planning +#: help:stock.planning.createlines,period_id:0 +msgid "Period which planning will concern." +msgstr "" + +#. module: stock_planning +#: field:stock.planning,already_out:0 +msgid "Already Out" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,product_id:0 +msgid "Product which this planning is created for." +msgstr "" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Per Warehouse :" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,history:0 +msgid "Procurement History" +msgstr "" + +#. module: stock_planning +#: help:stock.period.createlines,date_start:0 +msgid "Starting date for planning period." +msgstr "" + +#. module: stock_planning +#: model:ir.actions.act_window,name:stock_planning.action_stock_period_createlines_form +#: model:ir.actions.act_window,name:stock_planning.action_stock_period_form +#: model:ir.ui.menu,name:stock_planning.menu_stock_period +#: model:ir.ui.menu,name:stock_planning.menu_stock_period_main +#: view:stock.period:0 +#: view:stock.period.createlines:0 +msgid "Stock Periods" +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "Stock" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,incoming:0 +msgid "Quantity of all confirmed incoming moves in calculated Period." +msgstr "" + +#. module: stock_planning +#: field:stock.period,date_stop:0 +#: field:stock.period.createlines,date_stop:0 +msgid "End Date" +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +msgid "No Requisition" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,name:0 +msgid "Name" +msgstr "Naam" + +#. module: stock_planning +#: help:stock.sale.forecast,period_id:0 +msgid "Shows which period this forecast concerns." +msgstr "" + +#. module: stock_planning +#: field:stock.planning,product_uom:0 +msgid "UoM" +msgstr "" + +#. module: stock_planning +#: view:stock.period:0 +msgid "Closed Periods" +msgstr "" + +#. module: stock_planning +#: view:stock.planning:0 +#: field:stock.planning,product_id:0 +#: view:stock.sale.forecast:0 +#: field:stock.sale.forecast,product_id:0 +msgid "Product" +msgstr "" + +#. module: stock_planning +#: model:ir.ui.menu,name:stock_planning.menu_stock_sale_forecast +#: model:ir.ui.menu,name:stock_planning.menu_stock_sale_forecast_all +#: view:stock.sale.forecast:0 +msgid "Sales Forecasts" +msgstr "Verkoop prognose" + +#. module: stock_planning +#: field:stock.planning.createlines,product_categ_id:0 +#: field:stock.sale.forecast.createlines,product_categ_id:0 +msgid "Product Category" +msgstr "Productcategorie" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:672 +#, python-format +msgid "You must specify a Source Warehouse !" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,procure_to_stock:0 +msgid "Procure To Stock Location" +msgstr "" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Approve" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,period_id:0 +msgid "" +"Period for this planning. Requisition will be created for beginning of the " +"period." +msgstr "" + +#. module: stock_planning +#: code:addons/stock_planning/stock_planning.py:631 +#, python-format +msgid "MPS planning for %s" +msgstr "" + +#. module: stock_planning +#: field:stock.planning,stock_start:0 +msgid "Initial Stock" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,product_amt:0 +msgid "Product Amount" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,confirmed_forecasts_only:0 +msgid "" +"Check to take validated forecasts only. If not checked system takes " +"validated and draft forecasts." +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_period5_id:0 +msgid "Period5" +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_warehouse_id:0 +msgid "This Warehouse" +msgstr "" + +#. module: stock_planning +#: help:stock.sale.forecast,user_id:0 +msgid "Shows who created this forecast, or who validated." +msgstr "" + +#. module: stock_planning +#: field:stock.sale.forecast,analyzed_team_id:0 +msgid "Sales Team" +msgstr "" + +#. module: stock_planning +#: help:stock.planning,incoming_left:0 +msgid "" +"Quantity left to Planned incoming quantity. This is calculated difference " +"between Planned In and Confirmed In. For current period Already In is also " +"calculated. This value is used to create procurement for lacking quantity." +msgstr "" + +#. module: stock_planning +#: help:stock.planning,outgoing_left:0 +msgid "" +"Quantity expected to go out in selected period besides Confirmed Out. As a " +"difference between Planned Out and Confirmed Out. For current period Already " +"Out is also calculated" +msgstr "" + +#. module: stock_planning +#: view:stock.sale.forecast:0 +msgid "Calculate Sales History" +msgstr "" + +#. module: stock_planning +#: model:ir.actions.act_window,help:stock_planning.action_stock_sale_forecast_createlines_form +msgid "" +"This wizard helps create many forecast lines at once. After creating them " +"you only have to fill in the forecast quantities. The wizard doesn't " +"duplicate the line when another one exist for the same selection." +msgstr "" + +#~ msgid "This Copmany Period1" +#~ msgstr "Dit bedrijf periode 1" + +#, python-format +#~ msgid "" +#~ "\n" +#~ " Initial Stock: " +#~ msgstr "" +#~ "\n" +#~ " Oorspronkelijke voorraaad: " + +#~ msgid "Create Stock and Sales Periods" +#~ msgstr "Maak voorraad en verkoop periodes" + +#, python-format +#~ msgid " Confirmed In Before: " +#~ msgstr " Bevestigd in voor " + +#~ msgid "This Department" +#~ msgstr "Deze afdeling" + +#, python-format +#~ msgid " Creation Date: " +#~ msgstr " Aanmaakdatum " + +#, python-format +#~ msgid "Manual planning for " +#~ msgstr "Handmatige planning voor " + +#, python-format +#~ msgid "" +#~ "\n" +#~ " Confirmed Out: " +#~ msgstr "" +#~ "\n" +#~ " Bevestigd Uit " + +#, python-format +#~ msgid "" +#~ "\n" +#~ " Already Out: " +#~ msgstr "" +#~ "\n" +#~ " Reeds uit: " + +#~ msgid "Create periods for Stock and Sales Planning" +#~ msgstr "Maak periodes voor voorraad en verkoopplanning" + +#, python-format +#~ msgid "" +#~ "\n" +#~ " Expected Out: " +#~ msgstr "" +#~ "\n" +#~ " Verwacht Uit: " diff --git a/addons/survey/i18n/ro.po b/addons/survey/i18n/ro.po new file mode 100644 index 00000000000..53d512c34e5 --- /dev/null +++ b/addons/survey/i18n/ro.po @@ -0,0 +1,1796 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-09 12:57+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-10 05:22+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: survey +#: view:survey.print:0 +#: view:survey.print.answer:0 +msgid "Print Option" +msgstr "Opţiunea de imprimare" + +#. module: survey +#: code:addons/survey/survey.py:418 +#, python-format +msgid "" +"Minimum Required Answer you entered is " +"greater than the number of answer. " +"Please use a number that is smaller than %d." +msgstr "" +"Răspunsul Minim Solicitat pe care l-ati introdus este mai mare decat numărul " +"de răspunsuri. Vă rugăm să folositi un număr care este mai mic decat %d." + +#. module: survey +#: view:survey.question.wiz:0 +msgid "Your Messages" +msgstr "Mesajele dumneavoastră" + +#. module: survey +#: field:survey.question,comment_valid_type:0 +#: field:survey.question,validation_type:0 +msgid "Text Validation" +msgstr "Validare text" + +#. module: survey +#: code:addons/survey/survey.py:430 +#, python-format +msgid "" +"Maximum Required Answer you entered for " +"your maximum is greater than the number of answer. " +" Please use a number that is smaller than %d." +msgstr "" +"Răspunsul Maxim Solicitat pe care l-ati introdus pentru maximul " +"dumneavoastră este mai mare decat numărul răspunsurilor. Vă rugăm să " +"folositi un număr care este mai mic decat %d." + +#. module: survey +#: view:survey:0 +#: field:survey,invited_user_ids:0 +msgid "Invited User" +msgstr "Utilizator invitat" + +#. module: survey +#: selection:survey.answer,type:0 +msgid "Character" +msgstr "Caracter" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_survey_form1 +#: model:ir.ui.menu,name:survey.menu_print_survey_form +#: model:ir.ui.menu,name:survey.menu_reporting +#: model:ir.ui.menu,name:survey.menu_survey_form +#: model:ir.ui.menu,name:survey.menu_surveys +msgid "Surveys" +msgstr "Sondaje" + +#. module: survey +#: field:survey.question,in_visible_answer_type:0 +msgid "Is Answer Type Invisible?" +msgstr "Este Tipul de Răspuns Invizibil?" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +#: view:survey.request:0 +msgid "Group By..." +msgstr "Grupează după..." + +#. module: survey +#: view:survey.send.invitation.log:0 +msgid "Results :" +msgstr "Rezultate :" + +#. module: survey +#: view:survey.request:0 +msgid "Survey Request" +msgstr "Cererea pentru sondaj" + +#. module: survey +#: selection:survey.question,required_type:0 +msgid "A Range" +msgstr "O gamă" + +#. module: survey +#: view:survey.response.line:0 +msgid "Table Answer" +msgstr "Tabel răspuns" + +#. module: survey +#: field:survey.history,date:0 +msgid "Date started" +msgstr "Data de inceput" + +#. module: survey +#: field:survey,history:0 +msgid "History Lines" +msgstr "Istoricul liniilor" + +#. module: survey +#: code:addons/survey/survey.py:444 +#, python-format +msgid "" +"You must enter one or more menu choices in " +"column heading (white spaces not allowed)" +msgstr "" +"Trebuie să introduceti una sau mai multe alegeri de meniu in titlul coloanei " +"(spatiile albe nu sunt permise)" + +#. module: survey +#: field:survey.question.column.heading,in_visible_menu_choice:0 +msgid "Is Menu Choice Invisible??" +msgstr "Este Alegerea meniului Invizibilă?" + +#. module: survey +#: field:survey.send.invitation,mail:0 +msgid "Body" +msgstr "Corp" + +#. module: survey +#: field:survey.question,allow_comment:0 +msgid "Allow Comment Field" +msgstr "Permite Camp Comentarii" + +#. module: survey +#: selection:survey.print,paper_size:0 +#: selection:survey.print.answer,paper_size:0 +msgid "A4 (210mm x 297mm)" +msgstr "A4 (210mm x 297mm)" + +#. module: survey +#: field:survey.question,comment_maximum_date:0 +#: field:survey.question,validation_maximum_date:0 +msgid "Maximum date" +msgstr "Data maximă" + +#. module: survey +#: field:survey.question,in_visible_menu_choice:0 +msgid "Is Menu Choice Invisible?" +msgstr "Este Alegerea meniului Invizibilă?" + +#. module: survey +#: view:survey:0 +msgid "Completed" +msgstr "Finalizat" + +#. module: survey +#: selection:survey.question,required_type:0 +msgid "Exactly" +msgstr "Exact" + +#. module: survey +#: view:survey:0 +msgid "Open Date" +msgstr "Data deschiderii" + +#. module: survey +#: view:survey.request:0 +msgid "Set to Draft" +msgstr "Setează ca Ciornă" + +#. module: survey +#: field:survey.question,is_comment_require:0 +msgid "Add Comment Field" +msgstr "Adaugă Camp Comentarii" + +#. module: survey +#: code:addons/survey/survey.py:397 +#, python-format +msgid "" +"#Required Answer you entered is greater " +"than the number of answer. Please use a " +"number that is smaller than %d." +msgstr "" +"#Răspunsul Solicitat pe care l-ati introdus este mai mare decat numărul " +"răspunsurilor. Vă rugăm să folositi un număr care este mai mic decat %d." + +#. module: survey +#: field:survey.question,tot_resp:0 +msgid "Total Answer" +msgstr "Răspunsuri totale" + +#. module: survey +#: field:survey.tbl.column.heading,name:0 +msgid "Row Number" +msgstr "Număr rand" + +#. module: survey +#: model:ir.model,name:survey.model_survey_name_wiz +msgid "survey.name.wiz" +msgstr "survey.name.wiz" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_survey_question_form +msgid "Survey Questions" +msgstr "Intrebări sondaj" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Matrix of Choices (Only One Answers Per Row)" +msgstr "Matrice de optiuni (un singur răspuns per rand)" + +#. module: survey +#: code:addons/survey/survey.py:471 +#, python-format +msgid "" +"Maximum Required Answer you entered for your maximum is greater than the " +"number of answer. Please use a number that is smaller than %d." +msgstr "" +"Răspunsul Maxim Solicitat pe care l-ati introdus pentru maxima dumneavoastră " +"este mai mare decat numărul răspunsurilor. Vă rugăm să folositi un număr " +"care este mai mic decat %d." + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_view_survey_question_message +#: model:ir.model,name:survey.model_survey_question +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "Survey Question" +msgstr "Intrebare sondaj" + +#. module: survey +#: view:survey.question.column.heading:0 +msgid "Use if question type is rating_scale" +msgstr "" +"Folositi dacă tipul intrebării este rating_scale (scară_de _clasificare)" + +#. module: survey +#: field:survey.print,page_number:0 +#: field:survey.print.answer,page_number:0 +msgid "Include Page Number" +msgstr "Include numărul de pagini" + +#. module: survey +#: view:survey.page:0 +#: view:survey.question:0 +msgid "Ok" +msgstr "Ok" + +#. module: survey +#: field:survey.page,title:0 +msgid "Page Title" +msgstr "Titlul paginii" + +#. module: survey +#: model:ir.ui.menu,name:survey.menu_define_survey +msgid "Define Surveys" +msgstr "Defineste sondajele" + +#. module: survey +#: model:ir.model,name:survey.model_survey_history +msgid "Survey History" +msgstr "Istoric Sondaj" + +#. module: survey +#: field:survey.response.answer,comment:0 +#: field:survey.response.line,comment:0 +msgid "Notes" +msgstr "Note" + +#. module: survey +#: view:survey:0 +#: view:survey.request:0 +msgid "Search Survey" +msgstr "Caută Sondaj" + +#. module: survey +#: field:survey.response.answer,answer:0 +#: field:survey.tbl.column.heading,value:0 +msgid "Value" +msgstr "Valoare" + +#. module: survey +#: field:survey.question,column_heading_ids:0 +msgid " Column heading" +msgstr " Titlul coloanei" + +#. module: survey +#: model:ir.ui.menu,name:survey.menu_run_survey_form +msgid "Answer a Survey" +msgstr "Răspunde la un sondaj" + +#. module: survey +#: code:addons/survey/wizard/survey_answer.py:86 +#, python-format +msgid "Error!" +msgstr "Eroare!" + +#. module: survey +#: field:survey,tot_comp_survey:0 +msgid "Total Completed Survey" +msgstr "Sondaj completat in intregime" + +#. module: survey +#: view:survey.response.answer:0 +msgid "(Use Only Question Type is matrix_of_drop_down_menus)" +msgstr "" +"(Foloseste doar Tipul Intrebării este matrix_of_drop_down_menus) " +"(matricea_meniurilor_verticale)" + +#. module: survey +#: model:ir.actions.report.xml,name:survey.survey_analysis +msgid "Survey Statistics" +msgstr "Statistică sondaj" + +#. module: survey +#: selection:survey,state:0 +#: view:survey.request:0 +#: selection:survey.request,state:0 +msgid "Cancelled" +msgstr "Anulat(ă)" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Rating Scale" +msgstr "Scară de clasificare" + +#. module: survey +#: field:survey.question,comment_field_type:0 +msgid "Comment Field Type" +msgstr "Tipul Campului pentru Comentarii" + +#. module: survey +#: code:addons/survey/survey.py:371 +#: code:addons/survey/survey.py:383 +#: code:addons/survey/survey.py:397 +#: code:addons/survey/survey.py:402 +#: code:addons/survey/survey.py:412 +#: code:addons/survey/survey.py:418 +#: code:addons/survey/survey.py:424 +#: code:addons/survey/survey.py:430 +#: code:addons/survey/survey.py:434 +#: code:addons/survey/survey.py:440 +#: code:addons/survey/survey.py:444 +#: code:addons/survey/survey.py:454 +#: code:addons/survey/survey.py:458 +#: code:addons/survey/survey.py:463 +#: code:addons/survey/survey.py:469 +#: code:addons/survey/survey.py:471 +#: code:addons/survey/survey.py:473 +#: code:addons/survey/survey.py:478 +#: code:addons/survey/survey.py:480 +#: code:addons/survey/survey.py:643 +#: code:addons/survey/wizard/survey_answer.py:118 +#: code:addons/survey/wizard/survey_answer.py:125 +#: code:addons/survey/wizard/survey_answer.py:668 +#: code:addons/survey/wizard/survey_answer.py:707 +#: code:addons/survey/wizard/survey_answer.py:727 +#: code:addons/survey/wizard/survey_answer.py:756 +#: code:addons/survey/wizard/survey_answer.py:761 +#: code:addons/survey/wizard/survey_answer.py:769 +#: code:addons/survey/wizard/survey_answer.py:780 +#: code:addons/survey/wizard/survey_answer.py:789 +#: code:addons/survey/wizard/survey_answer.py:794 +#: code:addons/survey/wizard/survey_answer.py:868 +#: code:addons/survey/wizard/survey_answer.py:904 +#: code:addons/survey/wizard/survey_answer.py:922 +#: code:addons/survey/wizard/survey_answer.py:950 +#: code:addons/survey/wizard/survey_answer.py:953 +#: code:addons/survey/wizard/survey_answer.py:956 +#: code:addons/survey/wizard/survey_answer.py:968 +#: code:addons/survey/wizard/survey_answer.py:975 +#: code:addons/survey/wizard/survey_answer.py:978 +#: code:addons/survey/wizard/survey_selection.py:66 +#: code:addons/survey/wizard/survey_selection.py:69 +#: code:addons/survey/wizard/survey_send_invitation.py:74 +#, python-format +msgid "Warning !" +msgstr "Avertisment !" + +#. module: survey +#: selection:survey.question,comment_field_type:0 +msgid "Single Line Of Text" +msgstr "Linie unică a textului" + +#. module: survey +#: view:survey.send.invitation:0 +#: field:survey.send.invitation,send_mail_existing:0 +msgid "Send reminder for existing user" +msgstr "Trimite memento pentru utilizator existent" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Multiple Choice (Multiple Answer)" +msgstr "Alegere multiplă (Răspuns multiplu)" + +#. module: survey +#: view:survey:0 +msgid "Edit Survey" +msgstr "Editează sondajul" + +#. module: survey +#: view:survey.response.line:0 +msgid "Survey Answer Line" +msgstr "Linie de răspuns sondaj" + +#. module: survey +#: field:survey.question.column.heading,menu_choice:0 +msgid "Menu Choice" +msgstr "Meniu optiuni" + +#. module: survey +#: selection:survey.question,required_type:0 +msgid "At Most" +msgstr "Cel mult" + +#. module: survey +#: view:survey:0 +msgid "My Survey(s)" +msgstr "" + +#. module: survey +#: field:survey.question,is_validation_require:0 +msgid "Validate Text" +msgstr "Validează text" + +#. module: survey +#: view:survey.send.invitation:0 +msgid "_Cancel" +msgstr "" + +#. module: survey +#: field:survey.response.line,single_text:0 +msgid "Text" +msgstr "Text" + +#. module: survey +#: constraint:res.users:0 +msgid "The chosen company is not in the allowed companies for this user" +msgstr "" +"Compania aleasă nu se află printre companiile permise acestui utilizator" + +#. module: survey +#: selection:survey.print,paper_size:0 +#: selection:survey.print.answer,paper_size:0 +msgid "Letter (8.5\" x 11\")" +msgstr "Scrisoare (8.5\" x 11\")" + +#. module: survey +#: view:survey:0 +#: field:survey,responsible_id:0 +msgid "Responsible" +msgstr "Responsabil" + +#. module: survey +#: model:ir.model,name:survey.model_survey_request +msgid "survey.request" +msgstr "survey.request (cerere.sondaj)" + +#. module: survey +#: field:survey.send.invitation,mail_subject:0 +#: field:survey.send.invitation,mail_subject_existing:0 +msgid "Subject" +msgstr "Subiect" + +#. module: survey +#: field:survey.question,comment_maximum_float:0 +#: field:survey.question,validation_maximum_float:0 +msgid "Maximum decimal number" +msgstr "Numărul maxim de zecimale" + +#. module: survey +#: model:ir.model,name:survey.model_survey_tbl_column_heading +msgid "survey.tbl.column.heading" +msgstr "survey.tbl.column.heading (sondaj.titlu.coloană.tabel)" + +#. module: survey +#: sql_constraint:res.users:0 +msgid "You can not have two users with the same login !" +msgstr "Nu pot exista doi utilizatori cu acelasi nume de autentificare !" + +#. module: survey +#: field:survey.send.invitation,mail_from:0 +msgid "From" +msgstr "De la" + +#. module: survey +#: selection:survey.question,comment_valid_type:0 +#: selection:survey.question,validation_type:0 +msgid "Don't Validate Comment Text." +msgstr "Nu validati textul comentariului" + +#. module: survey +#: selection:survey.question,comment_valid_type:0 +#: selection:survey.question,validation_type:0 +msgid "Must Be A Whole Number" +msgstr "Trebuie să fie un număr intreg" + +#. module: survey +#: field:survey.answer,question_id:0 +#: field:survey.page,question_ids:0 +#: field:survey.question,question:0 +#: field:survey.question.column.heading,question_id:0 +#: field:survey.response.line,question_id:0 +msgid "Question" +msgstr "Întrebare" + +#. module: survey +#: view:survey.page:0 +msgid "Search Survey Page" +msgstr "Caută Pagina sondajului" + +#. module: survey +#: field:survey.question.wiz,name:0 +msgid "Number" +msgstr "Număr" + +#. module: survey +#: code:addons/survey/survey.py:440 +#, python-format +msgid "" +"You must enter one or more menu choices in " +"column heading" +msgstr "" +"Trebuie să introduceti una sau mai multe optiuni meniu in titlul coloanei" + +#. module: survey +#: model:ir.actions.act_window,help:survey.action_survey_form1 +msgid "" +"You can create survey for different purposes: recruitment interviews, " +"employee's periodical evaluations, marketing campaigns, etc. A survey is " +"made of pages containing questions of several types: text, multiple choices, " +"etc. You can edit survey manually or click on the 'Edit Survey' for a " +"WYSIWYG interface." +msgstr "" +"Puteti crea sondaje pentru diverse scopuri: interviuri de recrutare, " +"evaluările periodice ale angajatilor, campanii de marketing, etc. Un sondaj " +"este alcătuit din pagini care contin intrebări de mai multe tipuri: text, " +"alegeri multiple, etc. Puteti edita un sondaj manual sau puteti face click " +"pe 'Editează Sondajul' pentru o interfată WYSIWYG." + +#. module: survey +#: view:survey:0 +#: view:survey.request:0 +#: field:survey.request,state:0 +msgid "State" +msgstr "Stare" + +#. module: survey +#: view:survey.request:0 +msgid "Evaluation Plan Phase" +msgstr "Etapa Planului de evaluare" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "Between" +msgstr "Între" + +#. module: survey +#: view:survey.print:0 +#: view:survey.print.answer:0 +#: view:survey.print.statistics:0 +msgid "Print" +msgstr "Imprimă" + +#. module: survey +#: view:survey:0 +msgid "New" +msgstr "" + +#. module: survey +#: field:survey.question,make_comment_field:0 +msgid "Make Comment Field an Answer Choice" +msgstr "Face Campul Comentariu o Alegere de Răspuns" + +#. module: survey +#: view:survey:0 +#: field:survey,type:0 +msgid "Type" +msgstr "Tip" + +#. module: survey +#: selection:survey.answer,type:0 +msgid "Email" +msgstr "Email" + +#. module: survey +#: model:ir.ui.menu,name:survey.menu_answer_surveys +msgid "Answer Surveys" +msgstr "Răspuns Sondaje" + +#. module: survey +#: selection:survey.response,state:0 +msgid "Not Finished" +msgstr "Neterminat" + +#. module: survey +#: view:survey.print:0 +msgid "Survey Print" +msgstr "Imprimare Sondaj" + +#. module: survey +#: view:survey.send.invitation:0 +msgid "Select Partner" +msgstr "Selectează Partenerul" + +#. module: survey +#: field:survey.question,type:0 +msgid "Question Type" +msgstr "Tipul intrebării" + +#. module: survey +#: code:addons/survey/wizard/survey_answer.py:125 +#, python-format +msgid "You can not answer this survey more than %s times" +msgstr "Nu puteti răspunde la acest sondaj mai mult de %s ori" + +#. module: survey +#: model:ir.actions.act_window,name:survey.act_survey_answer +msgid "Answers" +msgstr "Răspunsuri" + +#. module: survey +#: code:addons/survey/wizard/survey_answer.py:118 +#, python-format +msgid "You can not answer because the survey is not open" +msgstr "Nu puteti răspunde pentru că sondajul nu este deschis" + +#. module: survey +#: selection:survey.response,response_type:0 +msgid "Link" +msgstr "Legătură" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_survey_type_form +#: model:ir.model,name:survey.model_survey_type +#: view:survey.type:0 +msgid "Survey Type" +msgstr "Tip de sondaj" + +#. module: survey +#: field:survey.page,sequence:0 +msgid "Page Nr" +msgstr "Număr pagină" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +#: field:survey.question,descriptive_text:0 +#: selection:survey.question,type:0 +msgid "Descriptive Text" +msgstr "Text descriptiv" + +#. module: survey +#: field:survey.question,minimum_req_ans:0 +msgid "Minimum Required Answer" +msgstr "Răspuns Minim Solicitat" + +#. module: survey +#: code:addons/survey/survey.py:480 +#, python-format +msgid "" +"You must enter one or more menu choices in column heading (white spaces not " +"allowed)" +msgstr "" +"Trebuie să introduceti una sau mai multe alegeri de meniu in titlul coloanei " +"(spatiile albe nu sunt permise)" + +#. module: survey +#: field:survey.question,req_error_msg:0 +msgid "Error Message" +msgstr "Mesaj Eroare" + +#. module: survey +#: code:addons/survey/survey.py:478 +#, python-format +msgid "You must enter one or more menu choices in column heading" +msgstr "" +"Trebuie să introduceti una sau mai multe optiuni de meniu in titlul coloanei" + +#. module: survey +#: field:survey.request,date_deadline:0 +msgid "Deadline date" +msgstr "Dată scadentă" + +#. module: survey +#: selection:survey.question,comment_valid_type:0 +#: selection:survey.question,validation_type:0 +msgid "Must Be A Date" +msgstr "Trebuie să fie o dată" + +#. module: survey +#: model:ir.model,name:survey.model_survey_print +msgid "survey.print" +msgstr "survey.print (imprimare.sondaj)" + +#. module: survey +#: view:survey.question.column.heading:0 +#: field:survey.question.column.heading,title:0 +msgid "Column Heading" +msgstr "Titlul coloanei" + +#. module: survey +#: field:survey.question,is_require_answer:0 +msgid "Require Answer to Question" +msgstr "Solicită Răspuns la Intrebare" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_survey_request_tree +#: model:ir.ui.menu,name:survey.menu_survey_type_form1 +msgid "Survey Requests" +msgstr "Cereri de sondaj" + +#. module: survey +#: code:addons/survey/survey.py:371 +#: code:addons/survey/survey.py:458 +#, python-format +msgid "You must enter one or more column heading." +msgstr "Trebuie să introduceti una sau mai multe titluri de coloană." + +#. module: survey +#: code:addons/survey/wizard/survey_answer.py:727 +#: code:addons/survey/wizard/survey_answer.py:922 +#, python-format +msgid "Please enter an integer value" +msgstr "Vă rugăm să introduceti o valoare intreagă" + +#. module: survey +#: model:ir.model,name:survey.model_survey_browse_answer +msgid "survey.browse.answer" +msgstr "survey.browse.answer (răsfoieste.răspuns.sondaj)" + +#. module: survey +#: selection:survey.question,comment_field_type:0 +msgid "Paragraph of Text" +msgstr "Paragraf al textului" + +#. module: survey +#: code:addons/survey/survey.py:424 +#, python-format +msgid "" +"Maximum Required Answer you entered for " +"your maximum is greater than the number of answer. " +" Please use a number that is smaller than %d." +msgstr "" +"Maximul de răspunsuri solicitate pe care l-ati introdus pentru maximul " +"dumneavoastră este mai mare decat numărul răspunsurilor. Vă rugăm să " +"folositi un număr care este mai mic decat %d." + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "When the question is not answered, display this error message:" +msgstr "" +"Atunci cand nu se răspunde la o intrebare, afisează acest mesaj de eroare:" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "Options" +msgstr "Opțiuni" + +#. module: survey +#: view:survey.send.invitation.log:0 +msgid "_Ok" +msgstr "" + +#. module: survey +#: model:ir.ui.menu,name:survey.menu_browse_survey_response +msgid "Browse Answers" +msgstr "Rasfoieste Răspunsuri" + +#. module: survey +#: field:survey.response.answer,comment_field:0 +#: view:survey.response.line:0 +msgid "Comment" +msgstr "Comentariu" + +#. module: survey +#: model:ir.model,name:survey.model_survey_answer +#: model:ir.model,name:survey.model_survey_response_answer +#: view:survey.answer:0 +#: view:survey.response:0 +#: view:survey.response.answer:0 +#: view:survey.response.line:0 +msgid "Survey Answer" +msgstr "Răspuns la sondaj" + +#. module: survey +#: selection:survey.answer,type:0 +msgid "Selection" +msgstr "Selecție" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_browse_survey_response +#: view:survey:0 +msgid "Answer Survey" +msgstr "Răspunde la sondaj" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "Comment Field" +msgstr "Camp comentarii" + +#. module: survey +#: selection:survey.response,response_type:0 +msgid "Manually" +msgstr "Manual" + +#. module: survey +#: view:survey.send.invitation:0 +msgid "_Send" +msgstr "" + +#. module: survey +#: help:survey,responsible_id:0 +msgid "User responsible for survey" +msgstr "Utilizatorul responsabil cu sondajul" + +#. module: survey +#: field:survey,page_ids:0 +#: view:survey.question:0 +#: field:survey.response.line,page_id:0 +msgid "Page" +msgstr "Pagină" + +#. module: survey +#: field:survey.question,comment_column:0 +msgid "Add comment column in matrix" +msgstr "Adaugă in matrice coloana pentru comentarii" + +#. module: survey +#: field:survey.answer,response:0 +msgid "#Answer" +msgstr "# Răspuns" + +#. module: survey +#: field:survey.print,without_pagebreak:0 +#: field:survey.print.answer,without_pagebreak:0 +msgid "Print Without Page Breaks" +msgstr "Imprimă fără intreruperea paginilor" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "When the comment is an invalid format, display this error message" +msgstr "" +"Atunci cand comentariul are un format invalid, afisează acest mesaj de eroare" + +#. module: survey +#: code:addons/survey/wizard/survey_selection.py:69 +#, python-format +msgid "" +"You can not give more response. Please contact the author of this survey for " +"further assistance." +msgstr "" +"Nu mai puteti da răspunsuri. Vă rugăm să contactati autorul acestui sondaj " +"pentru asistentă suplimentară." + +#. module: survey +#: model:ir.actions.act_window,name:survey.act_survey_page_question +#: model:ir.actions.act_window,name:survey.act_survey_question +msgid "Questions" +msgstr "Întrebări" + +#. module: survey +#: help:survey,response_user:0 +msgid "Set to one if you require only one Answer per user" +msgstr "Setati pe unu dacă solicitati un singur Răspuns per utilizator" + +#. module: survey +#: field:survey,users:0 +msgid "Users" +msgstr "Utilizatori" + +#. module: survey +#: view:survey.send.invitation:0 +msgid "Message" +msgstr "Mesaj" + +#. module: survey +#: view:survey:0 +#: view:survey.request:0 +msgid "MY" +msgstr "Al meu" + +#. module: survey +#: field:survey.question,maximum_req_ans:0 +msgid "Maximum Required Answer" +msgstr "Răspunsuri maxime solicitate" + +#. module: survey +#: field:survey.name.wiz,page_no:0 +msgid "Page Number" +msgstr "Număr pagină" + +#. module: survey +#: code:addons/survey/wizard/survey_answer.py:86 +#, python-format +msgid "Cannot locate survey for the question wizard!" +msgstr "Nu poate fi localizat sondajul pentru wizard-ul de intrebări!" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "and" +msgstr "și" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_view_survey_print_statistics +#: view:survey.print.statistics:0 +msgid "Survey Print Statistics" +msgstr "Statistică Imprimare Sondaj" + +#. module: survey +#: field:survey.send.invitation.log,note:0 +msgid "Log" +msgstr "Jurnal" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "When the choices do not add up correctly, display this error message" +msgstr "" +"Atunci cand optiunile nu se completează corect, afisează acest mesaj de " +"eroare" + +#. module: survey +#: field:survey,date_close:0 +msgid "Survey Close Date" +msgstr "Data de incheiere a sondajului" + +#. module: survey +#: field:survey,date_open:0 +msgid "Survey Open Date" +msgstr "Data de incepere a sondajului" + +#. module: survey +#: field:survey.question.column.heading,in_visible_rating_weight:0 +msgid "Is Rating Scale Invisible ??" +msgstr "Este scara de clasificare invizibilă?" + +#. module: survey +#: view:survey.browse.answer:0 +#: view:survey.name.wiz:0 +msgid "Start" +msgstr "Începe" + +#. module: survey +#: code:addons/survey/survey.py:473 +#, python-format +msgid "Maximum Required Answer is greater than Minimum Required Answer" +msgstr "" +"Răspunsul Maxim Solicitat este mai mare decat Răspunsul Minim Solicitat" + +#. module: survey +#: field:survey.question,comment_maximum_no:0 +#: field:survey.question,validation_maximum_no:0 +msgid "Maximum number" +msgstr "Numărul maxim" + +#. module: survey +#: selection:survey.request,state:0 +#: selection:survey.response.line,state:0 +msgid "Draft" +msgstr "Ciornă" + +#. module: survey +#: model:ir.model,name:survey.model_survey_print_statistics +msgid "survey.print.statistics" +msgstr "survey.print.statistics (statistică.imprimare.sondaj)" + +#. module: survey +#: selection:survey,state:0 +msgid "Closed" +msgstr "Închis" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Matrix of Drop-down Menus" +msgstr "Matricea Meniurilor Verticale" + +#. module: survey +#: view:survey:0 +#: field:survey.answer,answer:0 +#: field:survey.name.wiz,response:0 +#: view:survey.page:0 +#: view:survey.print.answer:0 +#: field:survey.print.answer,response_ids:0 +#: view:survey.question:0 +#: field:survey.question,answer_choice_ids:0 +#: field:survey.request,response:0 +#: field:survey.response,question_ids:0 +#: field:survey.response.answer,answer_id:0 +#: field:survey.response.answer,response_id:0 +#: view:survey.response.line:0 +#: field:survey.response.line,response_answer_ids:0 +#: field:survey.response.line,response_id:0 +#: field:survey.response.line,response_table_ids:0 +#: field:survey.send.invitation,partner_ids:0 +#: field:survey.tbl.column.heading,response_table_id:0 +msgid "Answer" +msgstr "Răspuns" + +#. module: survey +#: field:survey,max_response_limit:0 +msgid "Maximum Answer Limit" +msgstr "Limita maximă Răspunsuri" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_act_view_survey_send_invitation +msgid "Send Invitations" +msgstr "Trimite invitatiile" + +#. module: survey +#: field:survey.name.wiz,store_ans:0 +msgid "Store Answer" +msgstr "Stochează răspunsul" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Date and Time" +msgstr "Data şi ora" + +#. module: survey +#: field:survey,state:0 +#: field:survey.response,state:0 +#: field:survey.response.line,state:0 +msgid "Status" +msgstr "Status" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_view_survey_print +msgid "Print Survey" +msgstr "Imprimă sondajul" + +#. module: survey +#: field:survey,send_response:0 +msgid "E-mail Notification on Answer" +msgstr "Instiintare prin email asupra Răspunsului" + +#. module: survey +#: field:survey.response.answer,value_choice:0 +msgid "Value Choice" +msgstr "Alegere valoare" + +#. module: survey +#: view:survey:0 +msgid "Started" +msgstr "Început" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_view_survey_print_answer +#: view:survey:0 +#: view:survey.print.answer:0 +msgid "Print Answer" +msgstr "Imprimă Răspunsul" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Multiple Textboxes" +msgstr "Căsute de text multiple" + +#. module: survey +#: selection:survey.print,orientation:0 +#: selection:survey.print.answer,orientation:0 +msgid "Landscape(Horizontal)" +msgstr "Format (Orizontal)" + +#. module: survey +#: field:survey.question,no_of_rows:0 +msgid "No of Rows" +msgstr "Număr de randuri" + +#. module: survey +#: view:survey:0 +#: view:survey.name.wiz:0 +msgid "Survey Details" +msgstr "Detalii sondaj" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Multiple Textboxes With Different Type" +msgstr "Căsute de text multiple cu Tip diferit" + +#. module: survey +#: view:survey.question.column.heading:0 +msgid "Menu Choices (each choice on separate lines)" +msgstr "Optiuni meniu (fiecare optiune pe o linie separată)" + +#. module: survey +#: field:survey.response,response_type:0 +msgid "Answer Type" +msgstr "Tip de răspuns" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "Validation" +msgstr "Validare" + +#. module: survey +#: view:survey.request:0 +#: selection:survey.request,state:0 +msgid "Waiting Answer" +msgstr "In asteptarea răspunsului" + +#. module: survey +#: selection:survey.question,comment_valid_type:0 +#: selection:survey.question,validation_type:0 +msgid "Must Be A Decimal Number" +msgstr "Trebuie să fie un număr zecimal" + +#. module: survey +#: field:res.users,survey_id:0 +msgid "Groups" +msgstr "Grupuri" + +#. module: survey +#: selection:survey.answer,type:0 +#: selection:survey.question,type:0 +msgid "Date" +msgstr "Data" + +#. module: survey +#: view:survey:0 +msgid "All New Survey" +msgstr "" + +#. module: survey +#: model:ir.model,name:survey.model_survey_send_invitation +msgid "survey.send.invitation" +msgstr "survey.send.invitation (trimite.invitatie.sondaj)" + +#. module: survey +#: field:survey.history,user_id:0 +#: view:survey.request:0 +#: field:survey.request,user_id:0 +#: field:survey.response,user_id:0 +msgid "User" +msgstr "Utilizator" + +#. module: survey +#: field:survey.name.wiz,transfer:0 +msgid "Page Transfer" +msgstr "Transfer pagină" + +#. module: survey +#: selection:survey.response.line,state:0 +msgid "Skiped" +msgstr "Omis" + +#. module: survey +#: field:survey.print,paper_size:0 +#: field:survey.print.answer,paper_size:0 +msgid "Paper Size" +msgstr "Dimensiune hârtie" + +#. module: survey +#: field:survey.response.answer,column_id:0 +#: field:survey.tbl.column.heading,column_id:0 +msgid "Column" +msgstr "Coloană" + +#. module: survey +#: model:ir.model,name:survey.model_survey_response_line +msgid "Survey Response Line" +msgstr "Linie Răspuns la Sondaj" + +#. module: survey +#: code:addons/survey/wizard/survey_selection.py:66 +#, python-format +msgid "You can not give response for this survey more than %s times" +msgstr "Nu puteti răspunde la acest sondaj mai mult de %s ori" + +#. module: survey +#: model:ir.actions.report.xml,name:survey.report_survey_form +#: model:ir.model,name:survey.model_survey +#: view:survey:0 +#: view:survey.browse.answer:0 +#: field:survey.browse.answer,survey_id:0 +#: field:survey.history,survey_id:0 +#: view:survey.name.wiz:0 +#: field:survey.name.wiz,survey_id:0 +#: view:survey.page:0 +#: field:survey.page,survey_id:0 +#: view:survey.print:0 +#: field:survey.print,survey_ids:0 +#: field:survey.print.statistics,survey_ids:0 +#: field:survey.question,survey:0 +#: view:survey.request:0 +#: field:survey.request,survey_id:0 +#: field:survey.response,survey_id:0 +msgid "Survey" +msgstr "Sondaj" + +#. module: survey +#: field:survey.question,in_visible_rating_weight:0 +msgid "Is Rating Scale Invisible?" +msgstr "Este scara de clasificare Invizibilă?" + +#. module: survey +#: selection:survey.answer,type:0 +msgid "Integer" +msgstr "Întreg" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Numerical Textboxes" +msgstr "Căsute text numerice" + +#. module: survey +#: model:ir.model,name:survey.model_survey_question_wiz +msgid "survey.question.wiz" +msgstr "survey.question.wiz (wizard.intrebări.sondaj)" + +#. module: survey +#: view:survey:0 +msgid "History" +msgstr "Istoric" + +#. module: survey +#: view:survey.request:0 +msgid "Late" +msgstr "Târziu" + +#. module: survey +#: field:survey.type,code:0 +msgid "Code" +msgstr "Cod" + +#. module: survey +#: model:ir.ui.menu,name:survey.menu_print_survey_statistics +msgid "Surveys Statistics" +msgstr "Statistică Sondaj" + +#. module: survey +#: field:survey.print,orientation:0 +#: field:survey.print.answer,orientation:0 +msgid "Orientation" +msgstr "Orientare" + +#. module: survey +#: view:survey:0 +#: view:survey.answer:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "Seq" +msgstr "Secventă" + +#. module: survey +#: field:survey.request,email:0 +msgid "E-mail" +msgstr "E-mail" + +#. module: survey +#: field:survey.question,comment_minimum_no:0 +#: field:survey.question,validation_minimum_no:0 +msgid "Minimum number" +msgstr "Numărul minim" + +#. module: survey +#: field:survey.question,req_ans:0 +msgid "#Required Answer" +msgstr "# Răspuns Solicitat" + +#. module: survey +#: field:survey.answer,sequence:0 +#: field:survey.question,sequence:0 +msgid "Sequence" +msgstr "Secvență" + +#. module: survey +#: field:survey.question,comment_label:0 +msgid "Field Label" +msgstr "Eticheta câmpului" + +#. module: survey +#: view:survey:0 +msgid "Other" +msgstr "Altele" + +#. module: survey +#: view:survey.request:0 +#: selection:survey.request,state:0 +msgid "Done" +msgstr "Efectuat" + +#. module: survey +#: view:survey:0 +msgid "Test Survey" +msgstr "Sondaj Text" + +#. module: survey +#: field:survey.question,rating_allow_one_column_require:0 +msgid "Allow Only One Answer per Column (Forced Ranking)" +msgstr "Permite un singur răspuns per coloană (Clasament fortat)" + +#. module: survey +#: view:survey:0 +#: view:survey.browse.answer:0 +#: view:survey.name.wiz:0 +#: view:survey.print:0 +#: view:survey.print.answer:0 +#: view:survey.print.statistics:0 +msgid "Cancel" +msgstr "Anulează" + +#. module: survey +#: view:survey:0 +msgid "Close" +msgstr "Închide" + +#. module: survey +#: field:survey.question,comment_minimum_float:0 +#: field:survey.question,validation_minimum_float:0 +msgid "Minimum decimal number" +msgstr "Număr zecimal minim" + +#. module: survey +#: view:survey:0 +#: selection:survey,state:0 +msgid "Open" +msgstr "Deschide" + +#. module: survey +#: field:survey,tot_start_survey:0 +msgid "Total Started Survey" +msgstr "Sondaj total inceput" + +#. module: survey +#: code:addons/survey/survey.py:463 +#, python-format +msgid "" +"#Required Answer you entered is greater than the number of answer. Please " +"use a number that is smaller than %d." +msgstr "" +"#Răspunsul Solicitat pe care l-ati introdus este mai mare decat numărul de " +"răspunsuri. Vă rugăm să folositi un număr care este mai mic decat %d." + +#. module: survey +#: help:survey,max_response_limit:0 +msgid "Set to one if survey is answerable only once" +msgstr "Setati pe unu dacă la sondaj se răspunde o singură dată" + +#. module: survey +#: selection:survey.response,state:0 +msgid "Finished " +msgstr "Incheiat " + +#. module: survey +#: model:ir.model,name:survey.model_survey_question_column_heading +msgid "Survey Question Column Heading" +msgstr "Intrebare Sondaj Titlu Coloană" + +#. module: survey +#: field:survey.answer,average:0 +msgid "#Avg" +msgstr "#Medie" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Matrix of Choices (Multiple Answers Per Row)" +msgstr "Matricea optiunilor (Răspunsuri multiple per rand)" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_view_survey_name +msgid "Give Survey Answer" +msgstr "Dă Răspuns la Sondaj" + +#. module: survey +#: model:ir.model,name:survey.model_res_users +msgid "res.users" +msgstr "res.users (res.utilizatori)" + +#. module: survey +#: help:survey.browse.answer,response_id:0 +msgid "" +"If this field is empty, all answers of the selected survey will be print." +msgstr "" +"Dacă acest camp rămane necompletat, vor fi tipărite toate răspunsurile " +"sondajului selectat." + +#. module: survey +#: selection:survey.response.line,state:0 +msgid "Answered" +msgstr "Răspuns" + +#. module: survey +#: code:addons/survey/wizard/survey_answer.py:419 +#, python-format +msgid "Complete Survey Answer" +msgstr "Completează Răspuns la sondaj" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Comment/Essay Box" +msgstr "Căsută Comentariu/Eseu" + +#. module: survey +#: field:survey.answer,type:0 +msgid "Type of Answer" +msgstr "Tipul de răspuns" + +#. module: survey +#: field:survey.question,required_type:0 +msgid "Respondent must answer" +msgstr "Respondentul trebuie să răspundă" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_view_survey_send_invitation +#: view:survey.send.invitation:0 +msgid "Send Invitation" +msgstr "Trimite invitatie" + +#. module: survey +#: code:addons/survey/wizard/survey_answer.py:761 +#, python-format +msgid "You cannot select the same answer more than one time" +msgstr "Nu puteti alege acelasi răspuns decat o dată" + +#. module: survey +#: view:survey.question:0 +msgid "Search Question" +msgstr "Caută Intrebare" + +#. module: survey +#: field:survey,title:0 +msgid "Survey Title" +msgstr "Titlu Sondaj" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Single Textbox" +msgstr "Căsută text unică" + +#. module: survey +#: view:survey:0 +#: field:survey,note:0 +#: field:survey.name.wiz,note:0 +#: view:survey.page:0 +#: field:survey.page,note:0 +#: view:survey.response.line:0 +msgid "Description" +msgstr "Descriere" + +#. module: survey +#: view:survey.name.wiz:0 +msgid "Select Survey" +msgstr "Selectează sondaj" + +#. module: survey +#: selection:survey.question,required_type:0 +msgid "At Least" +msgstr "Cel puțin" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_view_survey_send_invitation_log +#: model:ir.model,name:survey.model_survey_send_invitation_log +msgid "survey.send.invitation.log" +msgstr "survey.send.invitation.log (jurnal.trimite.invitatie.sondaj)" + +#. module: survey +#: selection:survey.print,orientation:0 +#: selection:survey.print.answer,orientation:0 +msgid "Portrait(Vertical)" +msgstr "Portret (vertical)" + +#. module: survey +#: selection:survey.question,comment_valid_type:0 +#: selection:survey.question,validation_type:0 +msgid "Must Be Specific Length" +msgstr "Trebuie să aibă lungimea potrivită" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: field:survey.question,page_id:0 +msgid "Survey Page" +msgstr "Pagină sondaj" + +#. module: survey +#: view:survey:0 +#: view:survey.page:0 +#: view:survey.question:0 +msgid "Required Answer" +msgstr "Răspuns necesar" + +#. module: survey +#: code:addons/survey/survey.py:469 +#, python-format +msgid "" +"Minimum Required Answer you entered is greater than the number of answer. " +"Please use a number that is smaller than %d." +msgstr "" +"Răspunsul minim necesar pe care l-ati introdus este mai mare decat numărul " +"de răspunsuri. Vă rugăm să folositi un număr care este mai mic decat %d." + +#. module: survey +#: code:addons/survey/survey.py:454 +#, python-format +msgid "You must enter one or more answer." +msgstr "Trebuie să introduceti unul sau mai multe răspunsuri." + +#. module: survey +#: view:survey:0 +msgid "All Open Survey" +msgstr "" + +#. module: survey +#: model:ir.actions.report.xml,name:survey.survey_browse_response +#: field:survey.browse.answer,response_id:0 +msgid "Survey Answers" +msgstr "Răspunsuri la sondaj" + +#. module: survey +#: view:survey.browse.answer:0 +msgid "Select Survey and related answer" +msgstr "Selectează sondajul si răspunsurile asociate" + +#. module: survey +#: model:ir.ui.menu,name:survey.menu_print_survey_answer +msgid "Surveys Answers" +msgstr "Răspunsuri la sondaje" + +#. module: survey +#: model:ir.actions.act_window,name:survey.act_survey_pages +msgid "Pages" +msgstr "Pagini" + +#. module: survey +#: code:addons/survey/survey.py:402 +#, python-format +msgid "" +"#Required Answer you entered is greater " +"than the number of answer. Please use a " +"number that is smaller than %d." +msgstr "" +"#Răspunsul solicitat pe care l-ati introdus este mai mare decat numărul de " +"răspunsuri. Vă rugăm să folositi un număr care este mai mic decat %d." + +#. module: survey +#: code:addons/survey/wizard/survey_answer.py:953 +#, python-format +msgid "You cannot select same answer more than one time'" +msgstr "Puteti selecta acelasi răspuns doar o singură dată." + +#. module: survey +#: selection:survey.print,paper_size:0 +#: selection:survey.print.answer,paper_size:0 +msgid "Legal (8.5\" x 14\")" +msgstr "Legal (8.5\" x 14\")" + +#. module: survey +#: field:survey.type,name:0 +msgid "Name" +msgstr "Nume" + +#. module: survey +#: view:survey.page:0 +msgid "#Questions" +msgstr "#Intrebări" + +#. module: survey +#: model:ir.model,name:survey.model_survey_response +msgid "survey.response" +msgstr "survey.response (răspuns.sondaj)" + +#. module: survey +#: field:survey.question,comment_valid_err_msg:0 +#: field:survey.question,make_comment_field_err_msg:0 +#: field:survey.question,numeric_required_sum_err_msg:0 +#: field:survey.question,validation_valid_err_msg:0 +msgid "Error message" +msgstr "Mesaj de eroare" + +#. module: survey +#: view:survey.send.invitation:0 +#: field:survey.send.invitation,send_mail:0 +msgid "Send mail for new user" +msgstr "Trimite e-mail pentru noul utilizator" + +#. module: survey +#: code:addons/survey/survey.py:383 +#, python-format +msgid "You must enter one or more Answer." +msgstr "Trebuie să introduceti unul sau mai multe Răspunsuri." + +#. module: survey +#: code:addons/survey/survey.py:412 +#, python-format +msgid "" +"Minimum Required Answer you entered is " +"greater than the number of answer. Please " +"use a number that is smaller than %d." +msgstr "" +"Răspunsul minim solicitat pe care l-ati introdus este mai mare decăt numărul " +"de răspunsuri. Vă rugăm să folositi un număr care este mai mic decat %d." + +#. module: survey +#: field:survey.answer,menu_choice:0 +msgid "Menu Choices" +msgstr "Meniu Optiuni" + +#. module: survey +#: field:survey,id:0 +msgid "ID" +msgstr "" + +#. module: survey +#: code:addons/survey/survey.py:434 +#, python-format +msgid "" +"Maximum Required Answer is greater than " +"Minimum Required Answer" +msgstr "" +"Răspunsurile maxime solicitate sunt mai multe decat Răspunsurile minime " +"solicitate" + +#. module: survey +#: view:survey.send.invitation.log:0 +msgid "User creation" +msgstr "Creare utilizator" + +#. module: survey +#: selection:survey.question,required_type:0 +msgid "All" +msgstr "Tot" + +#. module: survey +#: selection:survey.question,comment_valid_type:0 +#: selection:survey.question,validation_type:0 +msgid "Must Be An Email Address" +msgstr "Trebuie să fie o adresă de email" + +#. module: survey +#: selection:survey.question,type:0 +msgid "Multiple Choice (Only One Answer)" +msgstr "Alegere multiplă (un singur răspuns)" + +#. module: survey +#: field:survey.answer,in_visible_answer_type:0 +msgid "Is Answer Type Invisible??" +msgstr "Este Tipul de răspuns Invizibil?" + +#. module: survey +#: model:ir.model,name:survey.model_survey_print_answer +msgid "survey.print.answer" +msgstr "survey.print.answer (imprimă.răspuns.sondaj)" + +#. module: survey +#: view:survey.answer:0 +msgid "Menu Choices (each choice on separate by lines)" +msgstr "Meniu Optiuni (fiecare optiune pe linii separate)" + +#. module: survey +#: selection:survey.answer,type:0 +msgid "Float" +msgstr "Stabilizare" + +#. module: survey +#: view:survey.response.line:0 +msgid "Single Textboxes" +msgstr "Căsute de text unice" + +#. module: survey +#: code:addons/survey/wizard/survey_send_invitation.py:74 +#, python-format +msgid "%sSurvey is not in open state" +msgstr "%sSondajul nu se află in stare 'deschis'" + +#. module: survey +#: field:survey.question.column.heading,rating_weight:0 +msgid "Weight" +msgstr "Greutate" + +#. module: survey +#: selection:survey.answer,type:0 +msgid "Date & Time" +msgstr "Data și ora" + +#. module: survey +#: field:survey.response,date_create:0 +#: field:survey.response.line,date_create:0 +msgid "Create Date" +msgstr "Creează data" + +#. module: survey +#: field:survey.question,column_name:0 +msgid "Column Name" +msgstr "Nume coloană" + +#. module: survey +#: model:ir.actions.act_window,name:survey.action_survey_page_form +#: model:ir.model,name:survey.model_survey_page +#: model:ir.ui.menu,name:survey.menu_survey_page_form1 +#: view:survey.page:0 +msgid "Survey Pages" +msgstr "Pagini sondaj" + +#. module: survey +#: field:survey.question,numeric_required_sum:0 +msgid "Sum of all choices" +msgstr "Suma tuturor optiunilor" + +#. module: survey +#: selection:survey.question,type:0 +#: view:survey.response.line:0 +msgid "Table" +msgstr "Tabel" + +#. module: survey +#: code:addons/survey/survey.py:643 +#, python-format +msgid "You cannot duplicate the resource!" +msgstr "Nu puteti copia resursa!" + +#. module: survey +#: field:survey.question,comment_minimum_date:0 +#: field:survey.question,validation_minimum_date:0 +msgid "Minimum date" +msgstr "Data minimă" + +#. module: survey +#: field:survey,response_user:0 +msgid "Maximum Answer per User" +msgstr "Răspunsuri maxime per Utilizator" + +#. module: survey +#: field:survey.name.wiz,page:0 +msgid "Page Position" +msgstr "Pozitia paginii" + +#~ msgid "Set to draft" +#~ msgstr "Setează ca ciornă" + +#~ msgid "Send" +#~ msgstr "Trimite" + +#~ msgid "" +#~ "\n" +#~ " This module is used for surveying. It depends on the answers or reviews " +#~ "of some questions by different users.\n" +#~ " A survey may have multiple pages. Each page may contain multiple " +#~ "questions and each question may have multiple answers.\n" +#~ " Different users may give different answers of question and according to " +#~ "that survey is done. \n" +#~ " Partners are also sent mails with user name and password for the " +#~ "invitation of the survey\n" +#~ " " +#~ msgstr "" +#~ "\n" +#~ " Acest modul este folosit pentru efectuarea unui sondaj. Depinde de " +#~ "răspunsurile sau de verificarea unor intrebări de către diferiti " +#~ "utilizatori.\n" +#~ " Un sondaj poate avea mai multe pagini. Fiecare pagină poate contine mai " +#~ "multe intrebări si fiecare intrebare poate avea răspunsuri multiple. \n" +#~ " Utilizatori diferiti pot da răspunsuri diferite la intrebări in functie " +#~ "de sondaj. \n" +#~ " Partenerilor li se trimite se asemenea e-mail-uri cu numele de " +#~ "utilizator si parola pentru invitarea la sondaj.\n" +#~ " " + +#~ msgid "Watting Answer" +#~ msgstr "In asteptarea răspunsului" + +#~ msgid "Current" +#~ msgstr "Curent" + +#~ msgid "Survey Module" +#~ msgstr "Modul sondaj" diff --git a/addons/users_ldap/i18n/ro.po b/addons/users_ldap/i18n/ro.po new file mode 100644 index 00000000000..4808c7f30fa --- /dev/null +++ b/addons/users_ldap/i18n/ro.po @@ -0,0 +1,180 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-09 11:12+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-10 05:22+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: users_ldap +#: constraint:res.company:0 +msgid "Error! You can not create recursive companies." +msgstr "Eroare! Nu puteti crea companii recursive." + +#. module: users_ldap +#: constraint:res.users:0 +msgid "The chosen company is not in the allowed companies for this user" +msgstr "" +"Compania aleasă nu se află printre companiile permise acestui utilizator" + +#. module: users_ldap +#: help:res.company.ldap,ldap_tls:0 +msgid "" +"Request secure TLS/SSL encryption when connecting to the LDAP server. This " +"option requires a server with STARTTLS enabled, otherwise all authentication " +"attempts will fail." +msgstr "" + +#. module: users_ldap +#: view:res.company:0 +#: view:res.company.ldap:0 +msgid "LDAP Configuration" +msgstr "Configurare LDAP" + +#. module: users_ldap +#: field:res.company.ldap,ldap_binddn:0 +msgid "LDAP binddn" +msgstr "LDAP sistem binddn" + +#. module: users_ldap +#: help:res.company.ldap,create_user:0 +msgid "Create the user if not in database" +msgstr "Creează utilizator dacă nu este in baza de date" + +#. module: users_ldap +#: help:res.company.ldap,user:0 +msgid "Model used for user creation" +msgstr "Model folosit pentru crearea utilizatorului" + +#. module: users_ldap +#: field:res.company.ldap,company:0 +msgid "Company" +msgstr "Companie" + +#. module: users_ldap +#: field:res.company.ldap,ldap_server:0 +msgid "LDAP Server address" +msgstr "Adresă Server LDAP" + +#. module: users_ldap +#: field:res.company.ldap,ldap_server_port:0 +msgid "LDAP Server port" +msgstr "Port Server LDAP" + +#. module: users_ldap +#: help:res.company.ldap,ldap_binddn:0 +msgid "" +"The user account on the LDAP server that is used to query the directory. " +"Leave empty to connect anonymously." +msgstr "" + +#. module: users_ldap +#: field:res.company.ldap,ldap_base:0 +msgid "LDAP base" +msgstr "Baza LDAP" + +#. module: users_ldap +#: view:res.company.ldap:0 +msgid "User Information" +msgstr "" + +#. module: users_ldap +#: sql_constraint:res.company:0 +msgid "The company name must be unique !" +msgstr "" + +#. module: users_ldap +#: model:ir.model,name:users_ldap.model_res_company +msgid "Companies" +msgstr "Companii" + +#. module: users_ldap +#: view:res.company.ldap:0 +msgid "Process Parameter" +msgstr "" + +#. module: users_ldap +#: model:ir.model,name:users_ldap.model_res_company_ldap +msgid "res.company.ldap" +msgstr "res.company.ldap" + +#. module: users_ldap +#: field:res.company.ldap,ldap_tls:0 +msgid "Use TLS" +msgstr "" + +#. module: users_ldap +#: field:res.company.ldap,sequence:0 +msgid "Sequence" +msgstr "Secvență" + +#. module: users_ldap +#: view:res.company.ldap:0 +msgid "Login Information" +msgstr "" + +#. module: users_ldap +#: view:res.company.ldap:0 +msgid "Server Information" +msgstr "" + +#. module: users_ldap +#: model:ir.actions.act_window,name:users_ldap.action_ldap_installer +msgid "Setup your LDAP Server" +msgstr "" + +#. module: users_ldap +#: sql_constraint:res.users:0 +msgid "You can not have two users with the same login !" +msgstr "Nu pot exista doi utilizatori cu acelasi nume de autentificare !" + +#. module: users_ldap +#: field:res.company,ldaps:0 +msgid "LDAP Parameters" +msgstr "Parametri LDAP" + +#. module: users_ldap +#: help:res.company.ldap,ldap_password:0 +msgid "" +"The password of the user account on the LDAP server that is used to query " +"the directory." +msgstr "" + +#. module: users_ldap +#: field:res.company.ldap,ldap_password:0 +msgid "LDAP password" +msgstr "Parola LDAP" + +#. module: users_ldap +#: field:res.company.ldap,user:0 +msgid "Model User" +msgstr "Model Utilizator" + +#. module: users_ldap +#: model:ir.model,name:users_ldap.model_res_users +msgid "res.users" +msgstr "res.users (res.utilizatori)" + +#. module: users_ldap +#: field:res.company.ldap,ldap_filter:0 +msgid "LDAP filter" +msgstr "Filtru LDAP" + +#. module: users_ldap +#: field:res.company.ldap,create_user:0 +msgid "Create user" +msgstr "Creează utilizator" + +#~ msgid "Authenticate users with ldap server" +#~ msgstr "Autentifică utilizatorii cu serverul ldap" From 1b9f78308b6d9fd91ed1fbafccab124f5d984bde Mon Sep 17 00:00:00 2001 From: Serpent Consulting Services Date: Tue, 10 Jan 2012 13:55:49 +0530 Subject: [PATCH 054/166] [IMP] marketing_campaign :- improve view in marketing.campaign.activity object. bzr revid: support@serpentcs.com-20120110082549-9p0as341u3ijl4he --- .../marketing_campaign_view.xml | 58 ++++++++++--------- 1 file changed, 31 insertions(+), 27 deletions(-) diff --git a/addons/marketing_campaign/marketing_campaign_view.xml b/addons/marketing_campaign/marketing_campaign_view.xml index 04fcba30aa1..a31394ba4de 100644 --- a/addons/marketing_campaign/marketing_campaign_view.xml +++ b/addons/marketing_campaign/marketing_campaign_view.xml @@ -243,36 +243,40 @@ form
- - - - - - - - - - - - + + + + + + + + + + + + + + - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - From 76882d565d5c7eb48c0c6c8d24b581c8d3a953c8 Mon Sep 17 00:00:00 2001 From: Raphael Collet Date: Tue, 10 Jan 2012 09:34:50 +0100 Subject: [PATCH 055/166] [FIX] hr_timesheet_sheet: fix incorrect datetime computation in test bzr revid: rco@openerp.com-20120110083450-58txqb3phhax4yut --- addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml b/addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml index 66fee96a9a0..25f3cc36843 100644 --- a/addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml +++ b/addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml @@ -60,7 +60,7 @@ !record {model: hr.attendance, id: hr_attendance_1}: action: sign_out employee_id: 'hr.employee_qdp' - name: !eval time.strftime('%Y-%m-%d')+' '+'%s:%s:%s' %(min(23,datetime.now().hour+8),min(59,datetime.now().minute+1),min(59,datetime.now().second+1)) + name: !eval (datetime.now() + timedelta(hours=8.25)).strftime('%Y-%m-%d %H:%M:%S') - I create Timesheet Entry for time spend on today work. - From 7e652a5918985d4a05412f2cb7406878f3a8be46 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Tue, 10 Jan 2012 11:02:49 +0100 Subject: [PATCH 056/166] [FIX] Fixed action target new dialog sticky titles bzr revid: fme@openerp.com-20120110100249-i6dqty9qmc83e7sd --- addons/web/static/src/js/views.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/addons/web/static/src/js/views.js b/addons/web/static/src/js/views.js index 1ea629c6cb7..778bf6d47df 100644 --- a/addons/web/static/src/js/views.js +++ b/addons/web/static/src/js/views.js @@ -134,13 +134,14 @@ session.web.ActionManager = session.web.Widget.extend({ } if (action.target === 'new') { if (this.dialog == null) { - this.dialog = new session.web.Dialog(this, { title: action.name, width: '80%' }); + this.dialog = new session.web.Dialog(this, { width: '80%' }); if(on_close) this.dialog.on_close.add(on_close); this.dialog.start(); } else { this.dialog_viewmanager.stop(); } + this.dialog.dialog_title = action.name; this.dialog_viewmanager = new session.web.ViewManagerAction(this, action); this.dialog_viewmanager.appendTo(this.dialog.$element); this.dialog.open(); From 15a39f92bb18410ce7c9a8a458fe1189239b2a2d Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Tue, 10 Jan 2012 11:03:49 +0100 Subject: [PATCH 057/166] [IMP] Improved dialog controller for heights > window.height bzr revid: fme@openerp.com-20120110100349-is7ng78n1ilm9f08 --- addons/web/static/src/js/chrome.js | 57 +++++++++++++----------------- 1 file changed, 25 insertions(+), 32 deletions(-) diff --git a/addons/web/static/src/js/chrome.js b/addons/web/static/src/js/chrome.js index 34b413526f0..e40f4820d88 100644 --- a/addons/web/static/src/js/chrome.js +++ b/addons/web/static/src/js/chrome.js @@ -44,9 +44,9 @@ openerp.web.Dialog = openerp.web.OldWidget.extend(/** @lends openerp.web.Dialog# * @extends openerp.web.OldWidget * * @param parent - * @param dialog_options + * @param options */ - init: function (parent, dialog_options) { + init: function (parent, options) { var self = this; this._super(parent); this.dialog_options = { @@ -57,10 +57,9 @@ openerp.web.Dialog = openerp.web.OldWidget.extend(/** @lends openerp.web.Dialog# max_width: '95%', height: 'auto', min_height: 0, - max_height: '95%', + max_height: this.get_height('100%') - 140, autoOpen: false, position: [false, 50], - autoResize : 'auto', buttons: {}, beforeClose: function () { self.on_close(); }, resizeStop: this.on_resized @@ -70,31 +69,24 @@ openerp.web.Dialog = openerp.web.OldWidget.extend(/** @lends openerp.web.Dialog# this.dialog_options.buttons[f.substr(10)] = this[f]; } } - if (dialog_options) { - this.set_options(dialog_options); + if (options) { + _.extend(this.dialog_options, options); } }, - set_options: function(options) { - options = options || {}; - options.width = this.get_width(options.width || this.dialog_options.width); - options.min_width = this.get_width(options.min_width || this.dialog_options.min_width); - options.max_width = this.get_width(options.max_width || this.dialog_options.max_width); - options.height = this.get_height(options.height || this.dialog_options.height); - options.min_height = this.get_height(options.min_height || this.dialog_options.min_height); - options.max_height = this.get_height(options.max_height || this.dialog_options.max_height); - - if (options.width !== 'auto') { - if (options.width > options.max_width) options.width = options.max_width; - if (options.width < options.min_width) options.width = options.min_width; + get_options: function(options) { + var self = this, + o = _.extend({}, this.dialog_options, options || {}); + _.each(['width', 'height'], function(unit) { + o[unit] = self['get_' + unit](o[unit]); + o['min_' + unit] = self['get_' + unit](o['min_' + unit] || 0); + o['max_' + unit] = self['get_' + unit](o['max_' + unit] || 0); + if (o[unit] !== 'auto' && o['min_' + unit] && o[unit] < o['min_' + unit]) o[unit] = o['min_' + unit]; + if (o[unit] !== 'auto' && o['max_' + unit] && o[unit] > o['max_' + unit]) o[unit] = o['max_' + unit]; + }); + if (!o.title && this.dialog_title) { + o.title = this.dialog_title; } - if (options.height !== 'auto') { - if (options.height > options.max_height) options.height = options.max_height; - if (options.height < options.min_height) options.height = options.min_height; - } - if (!options.title && this.dialog_title) { - options.title = this.dialog_title; - } - _.extend(this.dialog_options, options); + return o; }, get_width: function(val) { return this.get_size(val.toString(), $(window.top).width()); @@ -116,13 +108,16 @@ openerp.web.Dialog = openerp.web.OldWidget.extend(/** @lends openerp.web.Dialog# this._super(); return this; }, - open: function(dialog_options) { + open: function(options) { // TODO fme: bind window on resize if (this.template) { this.$element.html(this.render()); } - this.set_options(dialog_options); - this.$element.dialog(this.dialog_options).dialog('open'); + var o = this.get_options(options); + this.$element.dialog(o).dialog('open'); + if (o.height === 'auto' && o.max_height) { + this.$element.css({ 'max-height': o.max_height, 'overflow-y': 'auto' }); + } return this; }, close: function() { @@ -134,9 +129,7 @@ openerp.web.Dialog = openerp.web.OldWidget.extend(/** @lends openerp.web.Dialog# } }, on_resized: function() { - if (openerp.connection.debug) { - console.log("Dialog resized to %d x %d", this.$element.width(), this.$element.height()); - } + openerp.log("Dialog resized to %d x %d", this.$element.width(), this.$element.height()); }, stop: function () { // Destroy widget From 937fd7a14c4c3c63a0769a92f7eb128a83bfa640 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Tue, 10 Jan 2012 11:01:03 +0100 Subject: [PATCH 058/166] [IMP] web_diagram: dict.update call, use kwargs instead of creating an immediately discarded dict in-place bzr revid: xmo@openerp.com-20120110100103-h7gghm1lzg5h6a2l --- addons/web_diagram/controllers/main.py | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/addons/web_diagram/controllers/main.py b/addons/web_diagram/controllers/main.py index 55047804725..2c0bcffb9d6 100644 --- a/addons/web_diagram/controllers/main.py +++ b/addons/web_diagram/controllers/main.py @@ -64,13 +64,13 @@ class DiagramView(View): for tr in data_connectors: - t = connectors.get(str(tr['id'])) - t.update({ - 'source': tr[src_node][1], - 'destination': tr[des_node][1], - 'options': {}, - 'signal': tr['signal'] - }) + t = connectors[str(tr['id'])] + t.update( + source=tr[src_node][1], + destination=tr[des_node][1], + options={}, + signal=tr.get('signal') + ) for i, fld in enumerate(connector_fields): t['options'][connector_fields_string[i]] = tr[fld] @@ -87,7 +87,7 @@ class DiagramView(View): if not n: n = isolate_nodes.get(act['id'], {}) y_max += 140 - n.update({'x': 20, 'y': y_max}) + n.update(x=20, y=y_max) nodes[act['id']] = n n.update( From 5e6bec7de67fb48825c5487974ebe27f6c664df4 Mon Sep 17 00:00:00 2001 From: "Mayur Maheshwari (OpenERP)" Date: Tue, 10 Jan 2012 16:10:57 +0530 Subject: [PATCH 059/166] [FIX]crm,hr_contract,hr_timesheet_sheet,lunch: remove a user_id from record in yml lp bug: https://launchpad.net/bugs/827287 fixed bzr revid: mma@tinyerp.com-20120110104057-p16tjp48u1xdp072 --- addons/crm/test/process/action_rule.yml | 1 - addons/hr_contract/test/test_hr_contract.yml | 1 - addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml | 2 -- addons/lunch/test/test_lunch.yml | 2 -- 4 files changed, 6 deletions(-) diff --git a/addons/crm/test/process/action_rule.yml b/addons/crm/test/process/action_rule.yml index f96c1eb7391..b13c9b086cc 100644 --- a/addons/crm/test/process/action_rule.yml +++ b/addons/crm/test/process/action_rule.yml @@ -12,7 +12,6 @@ - !record {model: crm.lead, id: crm_lead_test_rules_id}: name: 'Test lead rules' - user_id: base.user_root partner_id: base.res_partner_asus - I check record rule is apply and responsible is changed. diff --git a/addons/hr_contract/test/test_hr_contract.yml b/addons/hr_contract/test/test_hr_contract.yml index bd39e091d8b..ad60e4e0930 100644 --- a/addons/hr_contract/test/test_hr_contract.yml +++ b/addons/hr_contract/test/test_hr_contract.yml @@ -9,7 +9,6 @@ company_id: base.main_company gender: male name: Mark Johnson - user_id: base.user_root children: 2 marital: 'married' place_of_birth: Belgium diff --git a/addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml b/addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml index 25f3cc36843..8363815010e 100644 --- a/addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml +++ b/addons/hr_timesheet_sheet/test/test_hr_timesheet_sheet.yml @@ -73,7 +73,6 @@ amount: -90.00 product_id: product.product_consultant general_account_id: account.a_expense - user_id: base.user_root journal_id: hr_timesheet.analytic_journal - I confirm my Timesheet at end of period by click on "Confirm" button, @@ -100,7 +99,6 @@ amount: -90.00 product_id: product.product_consultant general_account_id: account.a_expense - user_id: base.user_root journal_id: hr_timesheet.analytic_journal - I tried again to confirm the timesheet after modification. diff --git a/addons/lunch/test/test_lunch.yml b/addons/lunch/test/test_lunch.yml index ae41c7f20ab..7cb23f52dbf 100644 --- a/addons/lunch/test/test_lunch.yml +++ b/addons/lunch/test/test_lunch.yml @@ -30,7 +30,6 @@ date: !eval time.strftime('%Y-%m-%d') product: 'lunch_product_club1' price: 2.75 - user_id: base.user_root - | I check that lunch order is on draft state after having created it. @@ -69,7 +68,6 @@ date: !eval "(datetime.now() + timedelta(2)).strftime('%Y-%m-%d')" product: 'lunch_product_club1' price: 2.75 - user_id: base.user_root - | I confirm this order.open wizard and select "Employee Cashbox". From 420ce20c23dd72a9dc37c048d8116ed29282b1be Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Tue, 10 Jan 2012 11:54:29 +0100 Subject: [PATCH 060/166] [FIX] correctly implement transition labels in diagram view transition labels were hardcoded to the 'signal' field of the transition object, even though labels are returned by graph_get as long as graph_get is given the correct 'label' parameter (which should be the value of arrow/@label from the view) lp bug: https://launchpad.net/bugs/911259 fixed bzr revid: xmo@openerp.com-20120110105429-k1u66l205niu49e1 --- addons/web_diagram/controllers/main.py | 15 +++++++++------ addons/web_diagram/static/src/js/diagram.js | 1 + 2 files changed, 10 insertions(+), 6 deletions(-) diff --git a/addons/web_diagram/controllers/main.py b/addons/web_diagram/controllers/main.py index 2c0bcffb9d6..28f31ac0c19 100644 --- a/addons/web_diagram/controllers/main.py +++ b/addons/web_diagram/controllers/main.py @@ -10,7 +10,8 @@ class DiagramView(View): return {'fields_view': fields_view} @openerpweb.jsonrequest - def get_diagram_info(self, req, id, model, node, connector, src_node, des_node, **kw): + def get_diagram_info(self, req, id, model, node, connector, + src_node, des_node, label, **kw): visible_node_fields = kw.get('visible_node_fields',[]) invisible_node_fields = kw.get('invisible_node_fields',[]) @@ -36,8 +37,9 @@ class DiagramView(View): shapes[shape_colour] = shape_color_state ir_view = req.session.model('ir.ui.view') - graphs = ir_view.graph_get(int(id), model, node, connector, src_node, des_node, False, - (140, 180), req.session.context) + graphs = ir_view.graph_get( + int(id), model, node, connector, src_node, des_node, label, + (140, 180), req.session.context) nodes = graphs['nodes'] transitions = graphs['transitions'] isolate_nodes = {} @@ -62,14 +64,15 @@ class DiagramView(View): data_connectors =connector_tr.read(connector_ids, connector_fields, req.session.context) - for tr in data_connectors: - t = connectors[str(tr['id'])] + transition_id = str(tr['id']) + _sourceid, label = graphs['label'][transition_id] + t = connectors[transition_id] t.update( source=tr[src_node][1], destination=tr[des_node][1], options={}, - signal=tr.get('signal') + signal=label ) for i, fld in enumerate(connector_fields): diff --git a/addons/web_diagram/static/src/js/diagram.js b/addons/web_diagram/static/src/js/diagram.js index a92eb8c2895..14eea8c669a 100644 --- a/addons/web_diagram/static/src/js/diagram.js +++ b/addons/web_diagram/static/src/js/diagram.js @@ -74,6 +74,7 @@ openerp.web.DiagramView = openerp.web.View.extend({ 'shape': this.nodes.attrs.shape, 'src_node': this.connectors.attrs.source, 'des_node': this.connectors.attrs.destination, + 'label': this.connectors.attrs.label || false, 'visible_nodes': [], 'invisible_nodes': [], 'node_fields': [], From 51380071eb1c6b1a61f24d68ea3cb9039936c36e Mon Sep 17 00:00:00 2001 From: niv-openerp Date: Tue, 10 Jan 2012 11:54:22 +0100 Subject: [PATCH 061/166] [imp] update lib client version bzr revid: nicolas.vanhoren@openerp.com-20120110105422-qs4lt4b0pvqm4dzo --- addons/web/common/openerplib/main.py | 18 ++++-------------- 1 file changed, 4 insertions(+), 14 deletions(-) diff --git a/addons/web/common/openerplib/main.py b/addons/web/common/openerplib/main.py index 2cbf9692063..93c2d1da69d 100644 --- a/addons/web/common/openerplib/main.py +++ b/addons/web/common/openerplib/main.py @@ -50,15 +50,6 @@ class Connector(object): __logger = _getChildLogger(_logger, 'connector') - def __init__(self, hostname, port): - """ - Initilize by specifying an hostname and a port. - :param hostname: Host name of the server. - :param port: Port for the connection to the server. - """ - self.hostname = hostname - self.port = port - def get_service(self, service_name): """ Returns a Service instance to allow easy manipulation of one of the services offered by the remote server. @@ -81,8 +72,7 @@ class XmlRPCConnector(Connector): :param hostname: The hostname of the computer holding the instance of OpenERP. :param port: The port used by the OpenERP instance for XMLRPC (default to 8069). """ - Connector.__init__(self, hostname, port) - self.url = 'http://%s:%d/xmlrpc' % (self.hostname, self.port) + self.url = 'http://%s:%d/xmlrpc' % (hostname, port) def send(self, service_name, method, *args): url = '%s/%s' % (self.url, service_name) @@ -97,9 +87,9 @@ class XmlRPCSConnector(XmlRPCConnector): __logger = _getChildLogger(_logger, 'connector.xmlrpcs') - def __init__(self, hostname, port=8071): + def __init__(self, hostname, port=8069): super(XmlRPCSConnector, self).__init__(hostname, port) - self.url = 'https://%s:%d/xmlrpc' % (self.hostname, self.port) + self.url = 'https://%s:%d/xmlrpc' % (hostname, port) class Service(object): """ @@ -294,7 +284,7 @@ def get_connector(hostname=None, protocol="xmlrpc", port="auto"): :param port: The number of the port. Defaults to auto. """ if port == 'auto': - port = 8069 if protocol=="xmlrpc" else 8071 + port = 8069 if protocol == "xmlrpc": return XmlRPCConnector(hostname, port) elif protocol == "xmlrpcs": From ed8233ed229d257d5c550e0322bc557689bbb8e2 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Thibault=20Delavall=C3=A9e?= Date: Tue, 10 Jan 2012 12:04:18 +0100 Subject: [PATCH 062/166] [FIX] marketing_campaign: readded required attribute because of model violations it could generate bzr revid: tde@openerp.com-20120110110418-miw9pgwcyhfhzdfx --- addons/marketing_campaign/marketing_campaign.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/marketing_campaign/marketing_campaign.py b/addons/marketing_campaign/marketing_campaign.py index 8f850911f67..15753e3ad9a 100644 --- a/addons/marketing_campaign/marketing_campaign.py +++ b/addons/marketing_campaign/marketing_campaign.py @@ -404,7 +404,7 @@ class marketing_campaign_activity(osv.osv): _columns = { 'name': fields.char('Name', size=128, required=True), 'campaign_id': fields.many2one('marketing.campaign', 'Campaign', - ondelete='cascade', select=1), + required = True, ondelete='cascade', select=1), 'object_id': fields.related('campaign_id','object_id', type='many2one', relation='ir.model', string='Object', readonly=True), From 4dab3b094dccf3239172815a10d71b624a2b13d3 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Tue, 10 Jan 2012 12:23:28 +0100 Subject: [PATCH 063/166] [IMP] Improved debug options [REM] Moved some sidebar 'Customize' options to debug (requested by fp) bzr revid: fme@openerp.com-20120110112328-pegs4hd2zzq00yus --- addons/web/static/src/js/views.js | 156 +++++++++++------------------ addons/web/static/src/xml/base.xml | 13 ++- 2 files changed, 66 insertions(+), 103 deletions(-) diff --git a/addons/web/static/src/js/views.js b/addons/web/static/src/js/views.js index 778bf6d47df..18119650262 100644 --- a/addons/web/static/src/js/views.js +++ b/addons/web/static/src/js/views.js @@ -543,41 +543,45 @@ session.web.ViewManagerAction = session.web.ViewManager.extend(/** @lends oepner return manager_ready; }, on_debug_changed: function (evt) { - var $sel = $(evt.currentTarget), + var self = this, + $sel = $(evt.currentTarget), $option = $sel.find('option:selected'), - val = $sel.val(); + val = $sel.val(), + current_view = this.views[this.active_view].controller; switch (val) { case 'fvg': - $('
').text(session.web.json_node_to_xml(
-                    this.views[this.active_view].controller.fields_view.arch, true)
-                ).dialog({ width: '95%'});
+                var dialog = new session.web.Dialog(this, { title: "Fields View Get", width: '95%' }).open();
+                $('
').text(session.web.json_node_to_xml(current_view.fields_view.arch, true)).appendTo(dialog.$element);
+                break;
+            case 'customize_object':
+                this.rpc('/web/dataset/search_read', {
+                    model: 'ir.model',
+                    fields: ['id'],
+                    domain: [['model', '=', this.dataset.model]]
+                }, function (result) {
+                    self.do_edit_resource('ir.model', result.ids[0], { name : "Customize Object" });
+                });
+                break;
+            case 'manage_views':
+                if (current_view.fields_view && current_view.fields_view.arch) {
+                    var view_editor = new session.web.ViewEditor(current_view, current_view.$element, this.dataset, current_view.fields_view.arch);
+                    view_editor.start();
+                } else {
+                    this.do_warn("Manage Views", "Could not find current view declaration");
+                }
+                break;
+            case 'edit_workflow':
+                return this.do_action({
+                    res_model : 'workflow',
+                    domain : [['osv', '=', this.dataset.model]],
+                    views: [[false, 'list'], [false, 'form'], [false, 'diagram']],
+                    type : 'ir.actions.act_window',
+                    view_type : 'list',
+                    view_mode : 'list'
+                });
                 break;
             case 'edit':
-                var model = $option.data('model'),
-                    id = $option.data('id'),
-                    domain = $option.data('domain'),
-                    action = {
-                        res_model : model,
-                        type : 'ir.actions.act_window',
-                        view_type : 'form',
-                        view_mode : 'form',
-                        target : 'new',
-                        flags : {
-                            action_buttons : true,
-                            form : {
-                                resize_textareas : true
-                            }
-                        }
-                    };
-                if (id) {
-                    action.res_id = id,
-                    action.views = [[false, 'form']];
-                } else if (domain) {
-                    action.views = [[false, 'list'], [false, 'form']];
-                    action.domain = domain;
-                    action.flags.views_switcher = true;
-                }
-                this.do_action(action);
+                this.do_edit_resource($option.data('model'), $option.data('id'), { name : $option.text() });
                 break;
             default:
                 if (val) {
@@ -586,6 +590,24 @@ session.web.ViewManagerAction = session.web.ViewManager.extend(/** @lends oepner
         }
         evt.currentTarget.selectedIndex = 0;
     },
+    do_edit_resource: function(model, id, action) {
+        var action = _.extend({
+            res_model : model,
+            res_id : id,
+            type : 'ir.actions.act_window',
+            view_type : 'form',
+            view_mode : 'form',
+            views : [[false, 'form']],
+            target : 'new',
+            flags : {
+                action_buttons : true,
+                form : {
+                    resize_textareas : true
+                }
+            }
+        }, action || {});
+        this.do_action(action);
+    },
     on_mode_switch: function (view_type, no_store) {
         var self = this;
 
@@ -733,26 +755,11 @@ session.web.Sidebar = session.web.Widget.extend({
             action = view_manager.action;
         if (this.session.uid === 1) {
             this.add_section(_t('Customize'), 'customize');
-            this.add_items('customize', [
-                {
-                    label: _t("Manage Views"),
-                    callback: view.on_sidebar_manage_views,
-                    title: _t("Manage views of the current object")
-                }, {
-                    label: _t("Edit Workflow"),
-                    callback: view.on_sidebar_edit_workflow,
-                    title: _t("Manage views of the current object"),
-                    classname: 'oe_sidebar_edit_workflow'
-                }, {
-                    label: _t("Customize Object"),
-                    callback: view.on_sidebar_customize_object,
-                    title: _t("Manage views of the current object")
-                }, {
-                    label: _t("Translate"),
-                    callback: view.on_sidebar_translate,
-                    title: _t("Technical translation")
-                }
-            ]);
+            this.add_items('customize', [{
+                label: _t("Translate"),
+                callback: view.on_sidebar_translate,
+                title: _t("Technical translation")
+            }]);
         }
 
         this.add_section(_t('Other Options'), 'other');
@@ -1136,34 +1143,6 @@ session.web.View = session.web.Widget.extend(/** @lends session.web.View# */{
     set_common_sidebar_sections: function(sidebar) {
         sidebar.add_default_sections();
     },
-    on_sidebar_manage_views: function() {
-        if (this.fields_view && this.fields_view.arch) {
-            var view_editor = new session.web.ViewEditor(this, this.$element, this.dataset, this.fields_view.arch);
-            view_editor.start();
-        } else {
-            this.do_warn("Manage Views", "Could not find current view declaration");
-        }
-    },
-    on_sidebar_edit_workflow: function() {
-        return this.do_action({
-            res_model : 'workflow',
-            domain : [['osv', '=', this.dataset.model]],
-            views: [[false, 'list'], [false, 'form']],
-            type : 'ir.actions.act_window',
-            view_type : "list",
-            view_mode : "list"
-        });
-    },
-    on_sidebar_customize_object: function() {
-        var self = this;
-        this.rpc('/web/dataset/search_read', {
-            model: 'ir.model',
-            fields: ['id'],
-            domain: [['model', '=', self.dataset.model]]
-        }, function (result) {
-            self.on_sidebar_edit_resource('ir.model', result.ids[0]);
-        });
-    },
     on_sidebar_import: function() {
         var import_view = new session.web.DataImport(this, this.dataset);
         import_view.start();
@@ -1182,27 +1161,6 @@ session.web.View = session.web.Widget.extend(/** @lends session.web.View# */{
             view_mode : "list"
         });
     },
-    on_sidebar_edit_resource: function(model, id, domain) {
-        var action = {
-            res_model : model,
-            type : 'ir.actions.act_window',
-            view_type : 'form',
-            view_mode : 'form',
-            target : 'new',
-            flags : {
-                action_buttons : true
-            }
-        }
-        if (id) {
-            action.res_id = id,
-            action.views = [[false, 'form']];
-        } else if (domain) {
-            action.views = [[false, 'list'], [false, 'form']];
-            action.domain = domain;
-            action.flags.views_switcher = true;
-        }
-        this.do_action(action);
-    },
     on_sidebar_view_log: function() {
     },
     sidebar_context: function () {
diff --git a/addons/web/static/src/xml/base.xml b/addons/web/static/src/xml/base.xml
index 7238124ef49..d4bb5122500 100644
--- a/addons/web/static/src/xml/base.xml
+++ b/addons/web/static/src/xml/base.xml
@@ -470,10 +470,15 @@
 
 
     
-    
-    
-    
-    
+    
+    
+        
+        
+        
+        
+        
+        
+    
 
 
     

From 0ae41592cd7c71a5add11af755a5e13f16744758 Mon Sep 17 00:00:00 2001
From: "Mayur Maheshwari (OpenERP)" 
Date: Tue, 10 Jan 2012 17:06:25 +0530
Subject: [PATCH 064/166] [FIX]product_visible_discount: add a company in
 product_id_change method

lp bug: https://launchpad.net/bugs/912953 fixed

bzr revid: mma@tinyerp.com-20120110113625-j57286pylpidtfnr
---
 addons/product_visible_discount/product_visible_discount.py | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/addons/product_visible_discount/product_visible_discount.py b/addons/product_visible_discount/product_visible_discount.py
index 1577dddad73..ece70f36f5c 100644
--- a/addons/product_visible_discount/product_visible_discount.py
+++ b/addons/product_visible_discount/product_visible_discount.py
@@ -103,7 +103,7 @@ sale_order_line()
 class account_invoice_line(osv.osv):
     _inherit = "account.invoice.line"
 
-    def product_id_change(self, cr, uid, ids, product, uom, qty=0, name='', type='out_invoice', partner_id=False, fposition_id=False, price_unit=False, address_invoice_id=False, currency_id=False, context=None):
+    def product_id_change(self, cr, uid, ids, product, uom, qty=0, name='', type='out_invoice', partner_id=False, fposition_id=False, price_unit=False, address_invoice_id=False, currency_id=False, context=None, company_id=None):
         res = super(account_invoice_line, self).product_id_change(cr, uid, ids, product, uom, qty, name, type, partner_id, fposition_id, price_unit, address_invoice_id, currency_id, context=context)
 
         def get_real_price(res_dict, product_id, qty, uom, pricelist):

From f784f63e49e24966fbc013336dd11d9821a5bd6a Mon Sep 17 00:00:00 2001
From: Fabien Meghazi 
Date: Tue, 10 Jan 2012 13:54:13 +0100
Subject: [PATCH 065/166] [IMP] Improved form view do_show()

bzr revid: fme@openerp.com-20120110125413-aowjb8bzse6mo92s
---
 addons/web/static/src/js/view_form.js | 4 ++--
 1 file changed, 2 insertions(+), 2 deletions(-)

diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js
index 4505fe671e4..4f08e909f3e 100644
--- a/addons/web/static/src/js/view_form.js
+++ b/addons/web/static/src/js/view_form.js
@@ -136,7 +136,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView#
 
     do_show: function () {
         var self = this;
-        this.$element.hide();
+        this.$element.show().css('visibility', 'hidden');
         return this.has_been_loaded.pipe(function() {
             var result;
             if (self.dataset.index === null) {
@@ -146,7 +146,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView#
                 result = self.dataset.read_index(_.keys(self.fields_view.fields)).pipe(self.on_record_loaded);
             }
             result.pipe(function() {
-                self.$element.show();
+                self.$element.css('visibility', 'visible');
             });
             if (self.sidebar) {
                 self.sidebar.$element.show();

From 9c85ae387ad389024a451120be134709a4e3611d Mon Sep 17 00:00:00 2001
From: "Vaibhav (OpenERP)" 
Date: Tue, 10 Jan 2012 18:29:14 +0530
Subject: [PATCH 066/166] [FIX] block ui before rpc call.

bzr revid: vda@tinyerp.com-20120110125914-04oy2rilkdq793w0
---
 addons/web/static/src/js/data_export.js | 5 ++---
 1 file changed, 2 insertions(+), 3 deletions(-)

diff --git a/addons/web/static/src/js/data_export.js b/addons/web/static/src/js/data_export.js
index 2b30a40d536..ab7ea5e6163 100644
--- a/addons/web/static/src/js/data_export.js
+++ b/addons/web/static/src/js/data_export.js
@@ -114,7 +114,7 @@ openerp.web.DataExport = openerp.web.Dialog.extend({
                 if (value) {
                     self.do_save_export_list(value);
                 } else {
-                    alert(_t("Please Enter Save Field List Name"));
+                    alert(_t("Please enter save field list name"));
                 }
             });
         } else {
@@ -354,7 +354,6 @@ openerp.web.DataExport = openerp.web.Dialog.extend({
         return export_field;
     },
     on_click_export_data: function() {
-        
         var exported_fields = [], self = this;
         this.$element.find("#fields_list option").each(function() {
             var fieldname = self.records[$(this).val()];
@@ -367,9 +366,9 @@ openerp.web.DataExport = openerp.web.Dialog.extend({
 
         exported_fields.unshift({name: 'id', label: 'External ID'});
         var export_format = this.$element.find("#export_format").val();
+        $.blockUI();
         this.session.get_file({
             url: '/web/export/' + export_format,
-            beforeSend: $.blockUI(this.$element),
             data: {data: JSON.stringify({
                 model: this.dataset.model,
                 fields: exported_fields,

From 0308d838b3b53bdb5be00b35243db019a9b35f10 Mon Sep 17 00:00:00 2001
From: "Vaibhav (OpenERP)" 
Date: Tue, 10 Jan 2012 18:43:48 +0530
Subject: [PATCH 067/166] [FIX] translate literal string only.

bzr revid: vda@tinyerp.com-20120110131348-5mp10bkk3uwypbo3
---
 addons/web/static/src/js/view_editor.js | 7 ++++---
 1 file changed, 4 insertions(+), 3 deletions(-)

diff --git a/addons/web/static/src/js/view_editor.js b/addons/web/static/src/js/view_editor.js
index db0d67c7897..7a76ec675a2 100644
--- a/addons/web/static/src/js/view_editor.js
+++ b/addons/web/static/src/js/view_editor.js
@@ -16,9 +16,10 @@ openerp.web.ViewEditor =   openerp.web.Widget.extend({
         this.init_view_editor();
     },
     init_view_editor: function() {
-        var self = this;
+        var self = this,
+            action_title = _.str.sprintf(_t("Manage Views (%s)"), this.model);
         var action = {
-            name: _.str.sprintf("Manage Views (%s)", this.model),
+            name: action_title,
             context: this.session.user_context,
             domain: [["model", "=", this.model]],
             res_model: 'ir.ui.view',
@@ -39,7 +40,7 @@ openerp.web.ViewEditor =   openerp.web.Widget.extend({
             }
         };
         this.view_edit_dialog = new openerp.web.Dialog(this, {
-            title: _t(_.str.sprintf("Manage Views (%s)", this.model)),
+            title: action_title,
             width: 850,
             buttons: [
                 {text: _t("Create"), click: function() { self.on_create_view(); }},

From 0fac5b69e6dbe098696b67f1a6dcf61fe0da9461 Mon Sep 17 00:00:00 2001
From: vishmita 
Date: Tue, 10 Jan 2012 19:08:04 +0530
Subject: [PATCH 068/166] [FIX]Improve code.

bzr revid: vja@vja-desktop-20120110133804-d93dbcqr9tnak56i
---
 addons/web/static/src/css/base.css | 15 +++++++++++++--
 1 file changed, 13 insertions(+), 2 deletions(-)

diff --git a/addons/web/static/src/css/base.css b/addons/web/static/src/css/base.css
index 6dc7e5a51f0..a6cdb510bf2 100644
--- a/addons/web/static/src/css/base.css
+++ b/addons/web/static/src/css/base.css
@@ -1916,6 +1916,7 @@ ul.oe-arrow-list li.oe-arrow-list-selected .oe-arrow-list-after {
 
 .openerp .oe_vm_switch_form,
 .openerp .oe_vm_switch_page,
+.openerp .oe_vm_switch_tree,
 .openerp .oe_vm_switch_list,
 .openerp .oe_vm_switch_graph,
 .openerp .oe_vm_switch_gantt,
@@ -1932,6 +1933,7 @@ ul.oe-arrow-list li.oe-arrow-list-selected .oe-arrow-list-after {
 
 .openerp .oe_vm_switch_form span,
 .openerp .oe_vm_switch_page span,
+.openerp .oe_vm_switch_tree span,
 .openerp .oe_vm_switch_list span,
 .openerp .oe_vm_switch_graph span,
 .openerp .oe_vm_switch_gantt span,
@@ -1951,6 +1953,15 @@ ul.oe-arrow-list li.oe-arrow-list-selected .oe-arrow-list-after {
     background-position: 0px -21px;
 }
 
+.openerp .oe_vm_switch_tree {
+    background-position: 0px 0px;
+}
+.openerp .oe_vm_switch_tree:active,
+.openerp .oe_vm_switch_tree:hover,
+.openerp .oe_vm_switch_tree:focus,
+.openerp .oe_vm_switch_tree[disabled="disabled"] {
+    background-position: 0px -21px;
+}
 
 .openerp .oe_vm_switch_form {
     background-position: -22px 0px;
@@ -1963,13 +1974,13 @@ ul.oe-arrow-list li.oe-arrow-list-selected .oe-arrow-list-after {
 }
 
 .openerp .oe_vm_switch_page {
-    background-position: 0px 0px;
+    background-position: -22px 0px;
 }
 .openerp .oe_vm_switch_page:active,
 .openerp .oe_vm_switch_page:hover,
 .openerp .oe_vm_switch_page:focus,
 .openerp .oe_vm_switch_page[disabled="disabled"] {
-    background-position: 0px -21px;
+    background-position: -22px -21px;
 }
 .openerp .oe_vm_switch_graph {
     background-position: -44px 0px;

From f154376575f1e2008863e4fc1b3ec2fafe334b65 Mon Sep 17 00:00:00 2001
From: "Vaibhav (OpenERP)" 
Date: Tue, 10 Jan 2012 19:08:26 +0530
Subject: [PATCH 069/166] [FIX] translation marks for db notation.

bzr revid: vda@tinyerp.com-20120110133826-sp77387028vatzsw
---
 addons/web/static/src/js/chrome.js | 4 ++--
 1 file changed, 2 insertions(+), 2 deletions(-)

diff --git a/addons/web/static/src/js/chrome.js b/addons/web/static/src/js/chrome.js
index 9f6d479636d..c205c1973e8 100644
--- a/addons/web/static/src/js/chrome.js
+++ b/addons/web/static/src/js/chrome.js
@@ -483,7 +483,7 @@ openerp.web.Database = openerp.web.Widget.extend(/** @lends openerp.web.Database
                     },
                     complete: function() {
                         self.unblockUI();
-                        self.do_notify("Backed","Database backed up successfully !");
+                        self.do_notify(_t("Backed"), _t("Database backed up successfully"));
                     }
                 });
             }
@@ -522,7 +522,7 @@ openerp.web.Database = openerp.web.Widget.extend(/** @lends openerp.web.Database
                     },
                     complete: function() {
                         self.unblockUI();
-                        self.do_notify("Restored","Database restored successfully !");
+                        self.do_notify(_t("Restored"), _t("Database restored successfully"));
                     }
                 });
             }

From 33f7b77a8830bde19517f6302b08f0dbac86c9a0 Mon Sep 17 00:00:00 2001
From: Fabien Meghazi 
Date: Tue, 10 Jan 2012 14:42:43 +0100
Subject: [PATCH 070/166] [FIX] Fixed document.directory form view

bzr revid: fme@openerp.com-20120110134243-6d32rsojqosqkddi
---
 addons/document/document_view.xml | 4 ++--
 1 file changed, 2 insertions(+), 2 deletions(-)

diff --git a/addons/document/document_view.xml b/addons/document/document_view.xml
index 05e49ae89ad..a68f676a295 100644
--- a/addons/document/document_view.xml
+++ b/addons/document/document_view.xml
@@ -70,7 +70,7 @@
         document.directory
         form
         
-            
+            
                 
                 
                 
@@ -93,7 +93,7 @@
                         
                         
                     
-                    
+                    
                         
                     
 

From 271337bce393d73dd841af141f214ebc382bf5fb Mon Sep 17 00:00:00 2001
From: Numerigraphe - Lionel Sausin 
Date: Tue, 10 Jan 2012 15:09:12 +0100
Subject: [PATCH 071/166] [IMP] account: fix help text on bank acounts in
 invoices

bzr revid: ls@numerigraphe.fr-20120110140912-rifk0scy15v4rqhc
---
 addons/account/account_invoice.py | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/addons/account/account_invoice.py b/addons/account/account_invoice.py
index 9772984bc3b..166d146829b 100644
--- a/addons/account/account_invoice.py
+++ b/addons/account/account_invoice.py
@@ -259,7 +259,7 @@ class account_invoice(osv.osv):
                 'account.move.reconcile': (_get_invoice_from_reconcile, None, 50),
             }, help="It indicates that the invoice has been paid and the journal entry of the invoice has been reconciled with one or several journal entries of payment."),
         'partner_bank_id': fields.many2one('res.partner.bank', 'Bank Account',
-            help='Bank Account Number, Company bank account if Invoice is customer or supplier refund, otherwise Partner bank account number.', readonly=True, states={'draft':[('readonly',False)]}),
+            help='Bank Account Number to which the invoice will be paid. A Company bank account if this is a Customer Invoice or Supplier Refund, otherwise a Partner bank account number.', readonly=True, states={'draft':[('readonly',False)]}),
         'move_lines':fields.function(_get_lines, type='many2many', relation='account.move.line', string='Entry Lines'),
         'residual': fields.function(_amount_residual, digits_compute=dp.get_precision('Account'), string='Balance',
             store={

From 53b3529b1209f190554562eb183477afbf5720b4 Mon Sep 17 00:00:00 2001
From: niv-openerp 
Date: Tue, 10 Jan 2012 15:20:55 +0100
Subject: [PATCH 072/166] [imp] removed default_get handling in xml views

bzr revid: nicolas.vanhoren@openerp.com-20120110142055-1ocyfzt24f4uuvaf
---
 addons/web/static/src/js/view_form.js | 22 ++++++++--------------
 1 file changed, 8 insertions(+), 14 deletions(-)

diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js
index 4f08e909f3e..0addb6d3b02 100644
--- a/addons/web/static/src/js/view_form.js
+++ b/addons/web/static/src/js/view_form.js
@@ -834,23 +834,17 @@ openerp.web.form.Widget = openerp.web.Widget.extend(/** @lends openerp.web.form.
      * the fields'context with the action's context.
      */
     build_context: function(blacklist) {
-        var f_context = (this.field || {}).context || {};
-        if (!!f_context.__ref || true) { //TODO: remove true
-            var fields_values = this._build_eval_context(blacklist);
-            f_context = new openerp.web.CompoundContext(f_context).set_eval_context(fields_values);
+        // only use the model's context if there is not context on the node
+        var v_context = this.node.attrs.context;
+        if (! v_context) {
+            v_context = (this.field || {}).context || {};
         }
-        // maybe the default_get should only be used when we do a default_get?
-        var v_contexts = _.compact([this.node.attrs.default_get || null,
-            this.node.attrs.context || null]);
-        var v_context = new openerp.web.CompoundContext();
-        _.each(v_contexts, function(x) {v_context.add(x);});
-        if (_.detect(v_contexts, function(x) {return !!x.__ref;}) || true) { //TODO: remove true
+        
+        if (v_context.__ref || true) { //TODO: remove true
             var fields_values = this._build_eval_context(blacklist);
-            v_context.set_eval_context(fields_values);
+            v_context = new openerp.web.CompoundContext(v_context).set_eval_context(fields_values);
         }
-        // if there is a context on the node, overrides the model's context
-        var ctx = v_contexts.length > 0 ? v_context : f_context;
-        return ctx;
+        return v_context;
     },
     build_domain: function() {
         var f_domain = this.field.domain || [];

From f0c294e58423365eb5e7d860d85f81365722a43a Mon Sep 17 00:00:00 2001
From: Fabien Meghazi 
Date: Tue, 10 Jan 2012 15:35:13 +0100
Subject: [PATCH 073/166] [ADD] Add options arguments to Dataset#read_index in
 order to provide custom contexts

bzr revid: fme@openerp.com-20120110143513-00p14goadekz0y4z
---
 addons/web/static/src/js/data.js                | 5 +++--
 addons/web_dashboard/static/src/js/dashboard.js | 2 +-
 addons/web_diagram/static/src/js/diagram.js     | 6 +++---
 3 files changed, 7 insertions(+), 6 deletions(-)

diff --git a/addons/web/static/src/js/data.js b/addons/web/static/src/js/data.js
index c24325a9327..3b444dffc78 100644
--- a/addons/web/static/src/js/data.js
+++ b/addons/web/static/src/js/data.js
@@ -322,16 +322,17 @@ openerp.web.DataSet =  openerp.web.Widget.extend( /** @lends openerp.web.DataSet
      * Reads the current dataset record (from its index)
      *
      * @params {Array} [fields] fields to read and return, by default all fields are returned
+     * @param {Object} [options.context] context data to add to the request payload, on top of the DataSet's own context
      * @params {Function} callback function called with read_index result
      * @returns {$.Deferred}
      */
-    read_index: function (fields, callback) {
+    read_index: function (fields, options, callback) {
         var def = $.Deferred().then(callback);
         if (_.isEmpty(this.ids)) {
             def.reject();
         } else {
             fields = fields || false;
-            this.read_ids([this.ids[this.index]], fields).then(function(records) {
+            this.read_ids([this.ids[this.index]], fields, options).then(function(records) {
                 def.resolve(records[0]);
             }, function() {
                 def.reject.apply(def, arguments);
diff --git a/addons/web_dashboard/static/src/js/dashboard.js b/addons/web_dashboard/static/src/js/dashboard.js
index 28ea12796d2..2ac6c68cff5 100644
--- a/addons/web_dashboard/static/src/js/dashboard.js
+++ b/addons/web_dashboard/static/src/js/dashboard.js
@@ -290,7 +290,7 @@ openerp.web_dashboard.ConfigOverview = openerp.web.View.extend({
     start: function () {
         this._super();
         var self = this;
-        return this.user.read_index(['groups_id']).pipe(function (record) {
+        return this.user.read_index(['groups_id']).pipe(function(record) {
             var todos_filter = [
                 ['type', '!=', 'automatic'],
                 '|', ['groups_id', '=', false],
diff --git a/addons/web_diagram/static/src/js/diagram.js b/addons/web_diagram/static/src/js/diagram.js
index f88a7fd73ee..ddc88d920de 100644
--- a/addons/web_diagram/static/src/js/diagram.js
+++ b/addons/web_diagram/static/src/js/diagram.js
@@ -219,7 +219,7 @@ openerp.web.DiagramView = openerp.web.View.extend({
                 this.context || this.dataset.context
             );
             pop.on_select_elements.add_last(function(element_ids) {
-                self.dataset.read_index(_.keys(self.fields_view.fields), self.on_diagram_loaded);
+                self.dataset.read_index(_.keys(self.fields_view.fields)).pipe(self.on_diagram_loaded);
             });
         } else {
             pop = new openerp.web.form.FormOpenPopup(this);
@@ -232,7 +232,7 @@ openerp.web.DiagramView = openerp.web.View.extend({
                 }
             );
             pop.on_write.add(function() {
-                self.dataset.read_index(_.keys(self.fields_view.fields), self.on_diagram_loaded);
+                self.dataset.read_index(_.keys(self.fields_view.fields)).pipe(self.on_diagram_loaded);
             });
         }
 
@@ -292,7 +292,7 @@ openerp.web.DiagramView = openerp.web.View.extend({
                 this.dataset.index = this.dataset.ids.length - 1;
                 break;
         }
-        this.dataset.read_index(_.keys(this.fields_view.fields), this.on_diagram_loaded);
+        this.dataset.read_index(_.keys(this.fields_view.fields)).pipe(this.on_diagram_loaded);
         this.do_update_pager();
     },
 

From ee9a9558c0f7a0e290ebcdfb0ce0b9be9751daf8 Mon Sep 17 00:00:00 2001
From: Xavier Morel 
Date: Tue, 10 Jan 2012 15:35:18 +0100
Subject: [PATCH 074/166] [IMP] add doc to Binary.saveas, and rename a field
 for clarity

bzr revid: xmo@openerp.com-20120110143518-ircd8x1feyf5rquf
---
 addons/web/controllers/main.py        | 24 +++++++++++++++++++-----
 addons/web/static/src/js/view_form.js |  2 +-
 addons/web/static/src/xml/base.xml    |  2 +-
 3 files changed, 21 insertions(+), 7 deletions(-)

diff --git a/addons/web/controllers/main.py b/addons/web/controllers/main.py
index 852d5138177..7db8782b52e 100644
--- a/addons/web/controllers/main.py
+++ b/addons/web/controllers/main.py
@@ -1184,20 +1184,34 @@ class Binary(openerpweb.Controller):
         return open(os.path.join(addons_path, 'web', 'static', 'src', 'img', 'placeholder.png'), 'rb').read()
 
     @openerpweb.httprequest
-    def saveas(self, req, model, id, field, fieldname, **kw):
+    def saveas(self, req, model, field, id=None, filename_field=None, **kw):
+        """ Download link for files stored as binary fields.
+
+        If the ``id`` parameter is omitted, fetches the default value for the
+        binary field (via ``default_get``), otherwise fetches the field for
+        that precise record.
+
+        :param req: OpenERP request
+        :type req: :class:`web.common.http.HttpRequest`
+        :param str model: name of the model to fetch the binary from
+        :param str field: binary field
+        :param str id: id of the record from which to fetch the binary
+        :param str filename_field: field holding the file's name, if any
+        :returns: :class:`werkzeug.wrappers.Response`
+        """
         Model = req.session.model(model)
         context = req.session.eval_context(req.context)
         if id:
-            res = Model.read([int(id)], [field, fieldname], context)[0]
+            res = Model.read([int(id)], [field, filename_field], context)[0]
         else:
-            res = Model.default_get([field, fieldname], context)
+            res = Model.default_get([field, filename_field], context)
         filecontent = base64.b64decode(res.get(field, ''))
         if not filecontent:
             return req.not_found()
         else:
             filename = '%s_%s' % (model.replace('.', '_'), id)
-            if fieldname:
-                filename = res.get(fieldname, '') or filename
+            if filename_field:
+                filename = res.get(filename_field, '') or filename
             return req.make_response(filecontent,
                 [('Content-Type', 'application/octet-stream'),
                  ('Content-Disposition', 'attachment; filename=' +  filename)])
diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js
index 4f08e909f3e..159fedbc71e 100644
--- a/addons/web/static/src/js/view_form.js
+++ b/addons/web/static/src/js/view_form.js
@@ -3023,7 +3023,7 @@ openerp.web.form.FieldBinary = openerp.web.form.Field.extend({
     on_save_as: function() {
         var url = '/web/binary/saveas?session_id=' + this.session.session_id + '&model=' +
             this.view.dataset.model +'&id=' + (this.view.datarecord.id || '') + '&field=' + this.name +
-            '&fieldname=' + (this.node.attrs.filename || '') + '&t=' + (new Date().getTime());
+            '&filename_field=' + (this.node.attrs.filename || '') + '&t=' + (new Date().getTime());
         window.open(url);
     },
     on_clear: function() {
diff --git a/addons/web/static/src/xml/base.xml b/addons/web/static/src/xml/base.xml
index d4bb5122500..642f1f89709 100644
--- a/addons/web/static/src/xml/base.xml
+++ b/addons/web/static/src/xml/base.xml
@@ -748,7 +748,7 @@
         
  • + + '&field=datas&filename_field=name&t=' + (new Date().getTime())"/> From 4cc9cb83cede980383709dfebe6ce48d436aaa7f Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Tue, 10 Jan 2012 15:35:56 +0100 Subject: [PATCH 075/166] [IMP] add bin_size flag to listview reads in order not to fetch binary file contents bzr revid: xmo@openerp.com-20120110143556-ijsmmhvenw93vzfb --- addons/web/static/src/js/view_list.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/js/view_list.js b/addons/web/static/src/js/view_list.js index 1c4911974fe..6b1621af74c 100644 --- a/addons/web/static/src/js/view_list.js +++ b/addons/web/static/src/js/view_list.js @@ -1289,7 +1289,7 @@ openerp.web.ListView.Groups = openerp.web.Class.extend( /** @lends openerp.web.L page = this.datagroup.openable ? this.page : view.page; var fields = _.pluck(_.select(this.columns, function(x) {return x.tag == "field"}), 'name'); - var options = { offset: page * limit, limit: limit }; + var options = { offset: page * limit, limit: limit, context: {bin_size: true} }; //TODO xmo: investigate why we need to put the setTimeout $.async_when().then(function() {dataset.read_slice(fields, options , function (records) { // FIXME: ignominious hacks, parents (aka form view) should not send two ListView#reload_content concurrently From 3dbb95ec2bb3d49a9ff3d190f5373c6b8b34d9e7 Mon Sep 17 00:00:00 2001 From: niv-openerp Date: Tue, 10 Jan 2012 15:41:13 +0100 Subject: [PATCH 076/166] [imp] refactored a part of form view to use Mutex bzr revid: nicolas.vanhoren@openerp.com-20120110144113-1x67nu7u9q51g7ny --- addons/web/static/src/js/view_form.js | 13 ++++++------- 1 file changed, 6 insertions(+), 7 deletions(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 0addb6d3b02..cc639a4b027 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -50,8 +50,8 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# _.defaults(this.options, { "not_interactible_on_create": false }); - this.mutating_lock = $.Deferred(); - this.initial_mutating_lock = this.mutating_lock; + this.is_initialized = $.Deferred(); + this.mutating_mutex = new $.Mutex(); this.on_change_lock = $.Deferred().resolve(); this.reload_lock = $.Deferred().resolve(); }, @@ -189,7 +189,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# }); } self.on_form_changed(); - self.initial_mutating_lock.resolve(); + self.is_initialized.resolve(); self.show_invalid = true; self.do_update_pager(record.id == null); if (self.sidebar) { @@ -419,8 +419,6 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# var self = this; var action = function() { try { - if (!self.initial_mutating_lock.isResolved() && !self.initial_mutating_lock.isRejected()) - return; var form_invalid = false, values = {}, first_invalid_field = null; @@ -466,8 +464,9 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# return $.Deferred().reject(); } }; - this.mutating_lock = this.mutating_lock.pipe(action, action); - return this.mutating_lock; + return this.mutating_mutex.exec(function() { + return self.is_initialized.pipe(action); + }); }, on_invalid: function() { var msg = "
      "; From 756d989a872a41d60b6b902c2397e7157923592d Mon Sep 17 00:00:00 2001 From: niv-openerp Date: Tue, 10 Jan 2012 15:44:20 +0100 Subject: [PATCH 077/166] [imp] refactored form view some more to use Mutex bzr revid: nicolas.vanhoren@openerp.com-20120110144420-0bxkguwxgvt2oi9a --- addons/web/static/src/js/view_form.js | 10 ++++------ 1 file changed, 4 insertions(+), 6 deletions(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index cc639a4b027..221d5a33461 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -52,8 +52,8 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# }); this.is_initialized = $.Deferred(); this.mutating_mutex = new $.Mutex(); - this.on_change_lock = $.Deferred().resolve(); - this.reload_lock = $.Deferred().resolve(); + this.on_change_mutex = new $.Mutex(); + this.reload_mutex = new $.Mutex(); }, start: function() { this._super(); @@ -334,8 +334,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# return $.Deferred().reject(); } }; - this.on_change_lock = this.on_change_lock.pipe(act, act); - return this.on_change_lock; + return this.on_change_mutex.exec(act); }, on_processed_onchange: function(response, processed) { try { @@ -534,8 +533,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# return self.dataset.read_index(_.keys(self.fields_view.fields)).pipe(self.on_record_loaded); } }; - this.reload_lock = this.reload_lock.pipe(act, act); - return this.reload_lock; + return this.reload_mutex.exec(act); }, get_fields_values: function(blacklist) { blacklist = blacklist || []; From 7f945253c72f5bed01b635457e7597b88ddde292 Mon Sep 17 00:00:00 2001 From: niv-openerp Date: Tue, 10 Jan 2012 15:47:09 +0100 Subject: [PATCH 078/166] [imp] cosmetic improvements in form view bzr revid: nicolas.vanhoren@openerp.com-20120110144709-wamuhmj682pa2a07 --- addons/web/static/src/js/view_form.js | 17 ++++++----------- 1 file changed, 6 insertions(+), 11 deletions(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 221d5a33461..796c1bbc4e6 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -306,7 +306,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# }, do_onchange: function(widget, processed) { var self = this; - var act = function() { + return this.on_change_mutex.exec(function() { try { processed = processed || []; var on_change = widget.node.attrs.on_change; @@ -333,8 +333,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# console.error(e); return $.Deferred().reject(); } - }; - return this.on_change_mutex.exec(act); + }); }, on_processed_onchange: function(response, processed) { try { @@ -416,7 +415,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# */ do_save: function(success, prepend_on_create) { var self = this; - var action = function() { + return this.mutating_mutex.exec(function() { return self.is_initialized.pipe(function() { try { var form_invalid = false, values = {}, @@ -462,10 +461,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# console.error(e); return $.Deferred().reject(); } - }; - return this.mutating_mutex.exec(function() { - return self.is_initialized.pipe(action); - }); + });}); }, on_invalid: function() { var msg = "
        "; @@ -526,14 +522,13 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# }, reload: function() { var self = this; - var act = function() { + return this.reload_mutex.exec(function() { if (self.dataset.index == null || self.dataset.index < 0) { return $.when(self.on_button_new()); } else { return self.dataset.read_index(_.keys(self.fields_view.fields)).pipe(self.on_record_loaded); } - }; - return this.reload_mutex.exec(act); + }); }, get_fields_values: function(blacklist) { blacklist = blacklist || []; From 6b242208c2e3ab80381fdf126f795fedf9e38c43 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Tue, 10 Jan 2012 15:51:29 +0100 Subject: [PATCH 079/166] [FIX] Fixed m2o dialogs bzr revid: fme@openerp.com-20120110145129-7akak1kszzpobf37 --- addons/web/static/src/js/view_form.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 796c1bbc4e6..89bbf3386ec 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -1696,7 +1696,7 @@ openerp.web.form.dialog = function(content, options) { options = _.extend({ autoOpen: true, width: '90%', - height: '90%', + height: 'auto', min_width: '800px', min_height: '600px' }, options || {}); From d764f061965194569c2e6b40d78f4d7870b7a514 Mon Sep 17 00:00:00 2001 From: niv-openerp Date: Tue, 10 Jan 2012 15:58:29 +0100 Subject: [PATCH 080/166] [fix] added exception in o2m when we query the value and the view is not yet intialized bzr revid: nicolas.vanhoren@openerp.com-20120110145829-kscrhk88d5t1nkk0 --- addons/web/static/src/js/view_form.js | 3 +++ 1 file changed, 3 insertions(+) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 89bbf3386ec..93201a97393 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -2292,6 +2292,9 @@ openerp.web.form.FieldOne2Many = openerp.web.form.Field.extend({ this.viewmanager.views[this.viewmanager.active_view].controller) { var view = this.viewmanager.views[this.viewmanager.active_view].controller; if (this.viewmanager.active_view === "form") { + if (!view.is_initialized.isResolved()) { + return false; + } var res = $.when(view.do_save()); if (!res.isResolved() && !res.isRejected()) { console.warn("Asynchronous get_value() is not supported in form view."); From 0a08bf26e755a460be65df287552cc540021ddd8 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Tue, 10 Jan 2012 16:21:10 +0100 Subject: [PATCH 081/166] [IMP] Improved m2o dialogs bzr revid: fme@openerp.com-20120110152110-5n4og71gyucnhwte --- addons/web/static/src/js/view_form.js | 9 +++------ 1 file changed, 3 insertions(+), 6 deletions(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 93201a97393..622f9bba68d 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -1694,16 +1694,13 @@ openerp.web.form.FieldSelection = openerp.web.form.Field.extend({ openerp.web.form.dialog = function(content, options) { options = _.extend({ - autoOpen: true, width: '90%', height: 'auto', - min_width: '800px', - min_height: '600px' + min_width: '800px' }, options || {}); options.autoOpen = true; - var dialog = new openerp.web.Dialog(null, options); - dialog.$element = $(content).dialog(dialog.dialog_options); - return dialog.$element; + var dialog = new openerp.web.Dialog(null, options).open(); + return dialog.$element.html(content); }; openerp.web.form.FieldMany2One = openerp.web.form.Field.extend({ From 013794b978f8bf4a499f564412d19e59304108eb Mon Sep 17 00:00:00 2001 From: Vo Minh Thu Date: Tue, 10 Jan 2012 16:34:48 +0100 Subject: [PATCH 082/166] [IMP] orm: cosmetics (and the runbot will build this branch again). bzr revid: vmt@openerp.com-20120110153448-ot1vpcmwjbeykx9t --- openerp/osv/orm.py | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/openerp/osv/orm.py b/openerp/osv/orm.py index db5006cf71d..ac09c3179c7 100644 --- a/openerp/osv/orm.py +++ b/openerp/osv/orm.py @@ -3658,20 +3658,19 @@ class BaseModel(object): self.check_unlink(cr, uid) - properties = self.pool.get('ir.property') - ##search if there are properties created with resource that is about to be deleted - ## if found delete the properties too. - unlink_properties = properties.search(cr, uid, [('res_id', 'in', ['%s,%s' % (self._name, i) for i in ids])], context=context) - if unlink_properties: - properties.unlink(cr, uid, unlink_properties, context=context) + ir_property = self.pool.get('ir.property') - ## check if the model is used as a default property + # Check if the records are used as default properties. domain = [('res_id', '=', False), ('value_reference', 'in', ['%s,%s' % (self._name, i) for i in ids]), ] - if properties.search(cr, uid, domain, context=context): + if ir_property.search(cr, uid, domain, context=context): raise except_orm(_('Error'), _('Unable to delete this document because it is used as a default property')) + # Delete the records' properties. + property_ids = ir_property.search(cr, uid, [('res_id', 'in', ['%s,%s' % (self._name, i) for i in ids])], context=context) + ir_property.unlink(cr, uid, property_ids, context=context) + wf_service = netsvc.LocalService("workflow") for oid in ids: wf_service.trg_delete(uid, self._name, oid, cr) From d98b8b8be0145700667c0f4cc0e7619dec790c5b Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Tue, 10 Jan 2012 16:39:05 +0100 Subject: [PATCH 083/166] [ADD] handling of binary fields to the listview bzr revid: xmo@openerp.com-20120110153905-zxqkze9c4zrkmv2a --- addons/web/controllers/main.py | 7 ++-- addons/web/static/src/js/formats.js | 49 ++++++++++++++++++++------- addons/web/static/src/js/view_list.js | 20 +++++++++-- 3 files changed, 58 insertions(+), 18 deletions(-) diff --git a/addons/web/controllers/main.py b/addons/web/controllers/main.py index 7db8782b52e..c775927a8cc 100644 --- a/addons/web/controllers/main.py +++ b/addons/web/controllers/main.py @@ -1201,10 +1201,13 @@ class Binary(openerpweb.Controller): """ Model = req.session.model(model) context = req.session.eval_context(req.context) + fields = [field] + if filename_field: + fields.append(filename_field) if id: - res = Model.read([int(id)], [field, filename_field], context)[0] + res = Model.read([int(id)], fields, context)[0] else: - res = Model.default_get([field, filename_field], context) + res = Model.default_get(fields, context) filecontent = base64.b64decode(res.get(field, '')) if not filecontent: return req.not_found() diff --git a/addons/web/static/src/js/formats.js b/addons/web/static/src/js/formats.js index 2418439ac46..4076c190a74 100644 --- a/addons/web/static/src/js/formats.js +++ b/addons/web/static/src/js/formats.js @@ -237,7 +237,15 @@ openerp.web.auto_date_to_str = function(value, type) { }; /** - * Formats a provided cell based on its field type + * Formats a provided cell based on its field type. Most of the field types + * return a correctly formatted value, but some tags and fields are + * special-cased in their handling: + * + * * buttons will return an actual ``
      From 57bc6ec7d0819831a4b12dae95da04a774fe9335 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Wed, 11 Jan 2012 12:21:20 +0100 Subject: [PATCH 102/166] [IMP] Change uservoice javascript due to web client's Dataset refactoring in Rev#1930 bzr revid: fme@openerp.com-20120111112120-sxq5zvz489zvanfx --- addons/web_uservoice/static/src/js/web_uservoice.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web_uservoice/static/src/js/web_uservoice.js b/addons/web_uservoice/static/src/js/web_uservoice.js index e032f88fc20..ecf73e3b625 100644 --- a/addons/web_uservoice/static/src/js/web_uservoice.js +++ b/addons/web_uservoice/static/src/js/web_uservoice.js @@ -40,7 +40,7 @@ instance.web_uservoice.UserVoice = instance.web.Widget.extend({ var ds = new instance.web.DataSetSearch(this, 'ir.ui.menu', {lang: 'NO_LANG'}, [['parent_id', '=', false]]); - ds.read_slice(['name'], null, function(result) { + ds.read_slice(['name']).then(function(result) { _.each(result, function(menu) { self.uservoiceForums[menu.id] = forum_mapping[menu.name.toLowerCase()] || self.default_forum; }); From 0d64d9940dfc6de2c7177aa420f08a4feced8ff5 Mon Sep 17 00:00:00 2001 From: Minh Tran Date: Wed, 11 Jan 2012 13:21:47 +0100 Subject: [PATCH 103/166] Added padding to dashboard action content bzr revid: mit@openerp.com-20120111122147-6296xy0i7h7lm71v --- addons/web_dashboard/static/src/css/dashboard.css | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/addons/web_dashboard/static/src/css/dashboard.css b/addons/web_dashboard/static/src/css/dashboard.css index 955f864093f..96ed4bed6fd 100644 --- a/addons/web_dashboard/static/src/css/dashboard.css +++ b/addons/web_dashboard/static/src/css/dashboard.css @@ -292,6 +292,10 @@ padding: 2px; } +.openerp .oe-dashboard-action-content { + padding: 8px; +} + .oe-static-home { padding: 0.5em 0.5em; text-align: center; From bb310058cd3c393f6dc0376c521f36542d83e4c6 Mon Sep 17 00:00:00 2001 From: "Kuldeep Joshi (OpenERP)" Date: Wed, 11 Jan 2012 18:18:45 +0530 Subject: [PATCH 104/166] [FIX] survey: set default_get method lp bug: https://launchpad.net/bugs/914208 fixed bzr revid: kjo@tinyerp.com-20120111124845-sgqff6zxul3bbwh8 --- addons/survey/survey_view.xml | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/addons/survey/survey_view.xml b/addons/survey/survey_view.xml index 52969704b7d..fbb49a76616 100644 --- a/addons/survey/survey_view.xml +++ b/addons/survey/survey_view.xml @@ -33,13 +33,13 @@ - +
      - + @@ -54,7 +54,7 @@ - + @@ -310,7 +310,7 @@ - + @@ -324,7 +324,7 @@ - + From 946b33ad9c502de3d666ae8b1379d7ee4f8b41a6 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Wed, 11 Jan 2012 13:49:11 +0100 Subject: [PATCH 105/166] [FIX] Binary Field shouldn't load all base64 data when the object data is loaded lp bug: https://launchpad.net/bugs/914272 fixed bzr revid: fme@openerp.com-20120111124911-73ee4heyy8xqq4zp --- addons/web/static/src/js/view_form.js | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index a80011b4d0a..1fca639e806 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -143,7 +143,9 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# // null index means we should start a new record result = self.on_button_new(); } else { - result = self.dataset.read_index(_.keys(self.fields_view.fields)).pipe(self.on_record_loaded); + result = self.dataset.read_index(_.keys(self.fields_view.fields), { + context : { 'bin_size' : true } + }).pipe(self.on_record_loaded); } result.pipe(function() { self.$element.css('visibility', 'visible'); @@ -526,7 +528,9 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# if (self.dataset.index == null || self.dataset.index < 0) { return $.when(self.on_button_new()); } else { - return self.dataset.read_index(_.keys(self.fields_view.fields)).pipe(self.on_record_loaded); + return self.dataset.read_index(_.keys(self.fields_view.fields), { + context : { 'bin_size' : true } + }).pipe(self.on_record_loaded); } }); }, From fb7d6b2111d3ed246a16bfc846924a37a6d8fa6c Mon Sep 17 00:00:00 2001 From: vishmita Date: Wed, 11 Jan 2012 18:25:01 +0530 Subject: [PATCH 106/166] [FIX]attachment without fname_attachment. lp bug: https://launchpad.net/bugs/909069 fixed bzr revid: vja@vja-desktop-20120111125501-3jh2u9oyvt92ble9 --- addons/web/controllers/main.py | 1 + 1 file changed, 1 insertion(+) diff --git a/addons/web/controllers/main.py b/addons/web/controllers/main.py index b6405873f80..fd8d85f9d69 100644 --- a/addons/web/controllers/main.py +++ b/addons/web/controllers/main.py @@ -1257,6 +1257,7 @@ class Binary(openerpweb.Controller): attachment_id = Model.create({ 'name': ufile.filename, 'datas': base64.encodestring(ufile.read()), + 'datas_fname': ufile.filename, 'res_model': model, 'res_id': int(id) }, context) From 6d64acd8b6efc39e48fdaefed728ec699497ff20 Mon Sep 17 00:00:00 2001 From: Stephane Wirtel Date: Wed, 11 Jan 2012 14:58:51 +0100 Subject: [PATCH 107/166] [FIX] pass the rpm bdist packaging bzr revid: stw@openerp.com-20120111135851-xsge7gtze1jf4gml --- ...-01-11-18.59.15.txt => Ontvangen_CODA.2011-01-11-18.59.15.txt} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename addons/account_coda/test_coda_file/{Ontvangen CODA.2011-01-11-18.59.15.txt => Ontvangen_CODA.2011-01-11-18.59.15.txt} (100%) diff --git a/addons/account_coda/test_coda_file/Ontvangen CODA.2011-01-11-18.59.15.txt b/addons/account_coda/test_coda_file/Ontvangen_CODA.2011-01-11-18.59.15.txt similarity index 100% rename from addons/account_coda/test_coda_file/Ontvangen CODA.2011-01-11-18.59.15.txt rename to addons/account_coda/test_coda_file/Ontvangen_CODA.2011-01-11-18.59.15.txt From 5f3e6fdd9e6aeba8c68ce8b96bb8a50cb01132d8 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Wed, 11 Jan 2012 15:02:22 +0100 Subject: [PATCH 108/166] [IMP] Disable right click on m2o button bzr revid: fme@openerp.com-20120111140222-cirxtmubrma6qj9b --- .../jquery.contextmenu/jquery.contextmenu.r2.packed.js | 8 +++++--- addons/web/static/src/js/view_form.js | 3 +-- 2 files changed, 6 insertions(+), 5 deletions(-) diff --git a/addons/web/static/lib/jquery.contextmenu/jquery.contextmenu.r2.packed.js b/addons/web/static/lib/jquery.contextmenu/jquery.contextmenu.r2.packed.js index 2356f3b606b..47f542e5d39 100644 --- a/addons/web/static/lib/jquery.contextmenu/jquery.contextmenu.r2.packed.js +++ b/addons/web/static/lib/jquery.contextmenu/jquery.contextmenu.r2.packed.js @@ -65,8 +65,10 @@ display(index,this,e,options); return false; }; - $(this).bind('contextmenu', callback); - if(options.leftClickToo) { + if (!options.noRightClick) { + $(this).bind('contextmenu', callback); + } + if (options.leftClickToo || options.noRightClick) { $(this).click(callback); } return this @@ -123,4 +125,4 @@ })(jQuery); $( function() { $('div.contextMenu').hide() -}); \ No newline at end of file +}); diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 1fca639e806..85d13f230ec 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -1762,7 +1762,7 @@ openerp.web.form.FieldMany2One = openerp.web.form.Field.extend({ self.open_related(self.related_entries[i]); }; }); - var cmenu = self.$menu_btn.contextMenu(self.cm_id, {'leftClickToo': true, + var cmenu = self.$menu_btn.contextMenu(self.cm_id, {'noRightClick': true, bindings: bindings, itemStyle: {"color": ""}, onContextMenu: function() { if(self.value) { @@ -1782,7 +1782,6 @@ openerp.web.form.FieldMany2One = openerp.web.form.Field.extend({ }); }); var ctx_callback = function(e) {init_context_menu_def.resolve(e); e.preventDefault()}; - this.$menu_btn.bind('contextmenu', ctx_callback); this.$menu_btn.click(ctx_callback); // some behavior for input From a03bd12a44016dcdf917d6f55f231ca3d624b207 Mon Sep 17 00:00:00 2001 From: niv-openerp Date: Wed, 11 Jan 2012 15:37:12 +0100 Subject: [PATCH 109/166] [fix] problem in o2m bzr revid: nicolas.vanhoren@openerp.com-20120111143712-fln5ddnfobp84ieb --- addons/web/static/src/js/view_form.js | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 85d13f230ec..1531f32111c 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -2425,7 +2425,10 @@ openerp.web.form.One2ManyFormView = openerp.web.FormView.extend({ form_template: 'One2Many.formview', on_loaded: function(data) { this._super(data); - this.$form_header.find('button.oe_form_button_create').click(this.on_button_new); + var self = this; + this.$form_header.find('button.oe_form_button_create').click(function() { + self.do_save().then(self.on_button_new); + }); } }); From c1b26ed89db9cb04d78f6af3e8720ff23714a5fc Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Wed, 11 Jan 2012 15:31:44 +0100 Subject: [PATCH 110/166] [FIX] WebClient.do_reload's deferred chain, split session reloading and session init that way we don't try to reload all addons every time, not sure it's the best idea though, we'll see bzr revid: xmo@openerp.com-20120111143144-akq23gtyuxfdq6z9 --- addons/web/static/src/js/chrome.js | 5 +++-- addons/web/static/src/js/core.js | 25 ++++++++++++++++++------- 2 files changed, 21 insertions(+), 9 deletions(-) diff --git a/addons/web/static/src/js/chrome.js b/addons/web/static/src/js/chrome.js index edc703cf403..2d7455c4f88 100644 --- a/addons/web/static/src/js/chrome.js +++ b/addons/web/static/src/js/chrome.js @@ -1123,7 +1123,8 @@ openerp.web.WebClient = openerp.web.Widget.extend(/** @lends openerp.web.WebClie this.$element.children().remove(); }, do_reload: function() { - return this.session.session_init().pipe(_.bind(function() {this.menu.do_reload();}, this)); + return this.session.session_reload().pipe( + $.proxy(this.menu, 'do_reload')); }, do_notify: function() { var n = this.notification; @@ -1174,7 +1175,7 @@ openerp.web.WebClient = openerp.web.Widget.extend(/** @lends openerp.web.WebClie self.menu.on_menu_click(null, action.menu_id); }); } - }, + } }); openerp.web.EmbeddedClient = openerp.web.Widget.extend({ diff --git a/addons/web/static/src/js/core.js b/addons/web/static/src/js/core.js index 819385288a7..a194c34f287 100644 --- a/addons/web/static/src/js/core.js +++ b/addons/web/static/src/js/core.js @@ -547,7 +547,24 @@ openerp.web.Connection = openerp.web.CallbackEnabled.extend( /** @lends openerp. var self = this; // TODO: session store in cookie should be optional this.session_id = this.get_cookie('session_id'); - return this.rpc("/web/session/get_session_info", {}).pipe(function(result) { + return this.session_reload().pipe(function(result) { + var modules = openerp._modules.join(','); + var deferred = self.rpc('/web/webclient/qweblist', {mods: modules}).pipe(self.do_load_qweb); + if(self.session_is_valid()) { + return deferred.pipe(function() { return self.load_modules(); }); + } + return deferred; + }); + }, + /** + * (re)loads the content of a session: db name, username, user id, session + * context and status of the support contract + * + * @returns {$.Deferred} deferred indicating the session is done reloading + */ + session_reload: function () { + var self = this; + return this.rpc("/web/session/get_session_info", {}).then(function(result) { // If immediately follows a login (triggered by trying to restore // an invalid session or no session at all), refresh session data // (should not change, but just in case...) @@ -558,12 +575,6 @@ openerp.web.Connection = openerp.web.CallbackEnabled.extend( /** @lends openerp. user_context: result.context, openerp_entreprise: result.openerp_entreprise }); - var modules = openerp._modules.join(','); - var deferred = self.rpc('/web/webclient/qweblist', {mods: modules}).pipe(self.do_load_qweb); - if(self.session_is_valid()) { - return deferred.pipe(function() { self.load_modules(); }); - } - return deferred; }); }, session_is_valid: function() { From 79845e5e1d1519261680095182146cad1099209b Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Wed, 11 Jan 2012 15:35:02 +0100 Subject: [PATCH 111/166] [IMP] attach old callback to webclient reloading bzr revid: xmo@openerp.com-20120111143502-n1dl41qm74v6uj4i --- addons/web/static/src/js/views.js | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/addons/web/static/src/js/views.js b/addons/web/static/src/js/views.js index 0d5e22ae632..f8bdd58bc3e 100644 --- a/addons/web/static/src/js/views.js +++ b/addons/web/static/src/js/views.js @@ -128,8 +128,7 @@ session.web.ActionManager = session.web.Widget.extend({ .contains(action.res_model)) { var old_close = on_close; on_close = function () { - session.webclient.do_reload(); - if (old_close) { old_close(); } + session.webclient.do_reload().then(old_close); }; } if (action.target === 'new') { From c7cae917d0b47947cccad693b2a4714ac1e437cb Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Wed, 11 Jan 2012 15:43:27 +0100 Subject: [PATCH 112/166] [FIX] implicit global bzr revid: xmo@openerp.com-20120111144327-s1vox3q1hdpufxmz --- addons/web/static/src/js/chrome.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/js/chrome.js b/addons/web/static/src/js/chrome.js index 2d7455c4f88..f7d8e651af7 100644 --- a/addons/web/static/src/js/chrome.js +++ b/addons/web/static/src/js/chrome.js @@ -175,7 +175,7 @@ openerp.web.CrashManager = openerp.web.CallbackEnabled.extend({ var buttons = {}; if (openerp.connection.openerp_entreprise) { buttons[_t("Send OpenERP Enterprise Report")] = function() { - $this = $(this); + var $this = $(this); var issuename = $('#issuename').val(); var explanation = $('#explanation').val(); var remark = $('#remark').val(); From ca493e5481b29dc9a33ea281dcd9cfb80aa4c7ab Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Wed, 11 Jan 2012 15:43:45 +0100 Subject: [PATCH 113/166] [FIX] button order in preferences dialog bzr revid: xmo@openerp.com-20120111144345-8n63z50gic7m0d3w --- addons/web/static/src/js/chrome.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/js/chrome.js b/addons/web/static/src/js/chrome.js index f7d8e651af7..4f0821075b7 100644 --- a/addons/web/static/src/js/chrome.js +++ b/addons/web/static/src/js/chrome.js @@ -772,8 +772,8 @@ openerp.web.Header = openerp.web.Widget.extend(/** @lends openerp.web.Header# * title: _t("Preferences"), width: '700px', buttons: [ - {text: _t("Change password"), click: function(){ self.change_password(); }}, {text: _t("Cancel"), click: function(){ $(this).dialog('destroy'); }}, + {text: _t("Change password"), click: function(){ self.change_password(); }}, {text: _t("Save"), click: function(){ var inner_viewmanager = action_manager.inner_viewmanager; inner_viewmanager.views[inner_viewmanager.active_view].controller.do_save() From 927cd5135a388539aa1df3f24a465f8c47657dd6 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Wed, 11 Jan 2012 15:44:43 +0100 Subject: [PATCH 114/166] [IMP] add explanation as to why the preferences dialog reloads the page instead of reloading just the web client (session and menus) bzr revid: xmo@openerp.com-20120111144443-a9cbbysgkxrukqub --- addons/web/static/src/js/chrome.js | 1 + 1 file changed, 1 insertion(+) diff --git a/addons/web/static/src/js/chrome.js b/addons/web/static/src/js/chrome.js index 4f0821075b7..85a7c9f25e3 100644 --- a/addons/web/static/src/js/chrome.js +++ b/addons/web/static/src/js/chrome.js @@ -779,6 +779,7 @@ openerp.web.Header = openerp.web.Widget.extend(/** @lends openerp.web.Header# * inner_viewmanager.views[inner_viewmanager.active_view].controller.do_save() .then(function() { self.dialog.stop(); + // needs to refresh interface in case language changed window.location.reload(); }); } From 8a5e65e1363f6919e5a87e3c9f1284a0dd936ed4 Mon Sep 17 00:00:00 2001 From: Raphael Collet Date: Wed, 11 Jan 2012 15:50:15 +0100 Subject: [PATCH 115/166] [IMP] mrp: code cleanup bzr revid: rco@openerp.com-20120111145015-p7dyajf516izv97c --- addons/mrp/stock.py | 23 ++++++++++------------- 1 file changed, 10 insertions(+), 13 deletions(-) diff --git a/addons/mrp/stock.py b/addons/mrp/stock.py index a486e0b332a..d5ddc7f0280 100644 --- a/addons/mrp/stock.py +++ b/addons/mrp/stock.py @@ -168,23 +168,20 @@ class StockPicking(osv.osv): StockPicking() -class spilt_in_production_lot(osv.osv_memory): +class split_in_production_lot(osv.osv_memory): _inherit = "stock.move.split" - + def split(self, cr, uid, ids, move_ids, context=None): """ Splits move lines into given quantities. @param move_ids: Stock moves. @return: List of new moves. - """ + """ + new_moves = super(split_in_production_lot, self).split(cr, uid, ids, move_ids, context=context) production_obj = self.pool.get('mrp.production') - move_obj = self.pool.get('stock.move') - res = [] - for move in move_obj.browse(cr, uid, move_ids, context=context): - new_moves = super(spilt_in_production_lot, self).split(cr, uid, ids, move_ids, context=context) - production_ids = production_obj.search(cr, uid, [('move_lines', 'in', [move.id])]) - for new_move in new_moves: - production_obj.write(cr, uid, production_ids, {'move_lines': [(4, new_move)]}) - return res - -spilt_in_production_lot() + production_ids = production_obj.search(cr, uid, [('move_lines', 'in', move_ids)]) + production_obj.write(cr, uid, production_ids, {'move_lines': [(4, m) for m in new_moves]}) + return new_moves + +split_in_production_lot() + # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: From cd24ca9485b0f99c56d5b10107a0702f1e6f5757 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Wed, 11 Jan 2012 17:07:46 +0100 Subject: [PATCH 116/166] [IMP] Avoid overflow of large menu items bzr revid: fme@openerp.com-20120111160746-c995eu97zi9eia3p --- addons/web/static/src/css/base.css | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/addons/web/static/src/css/base.css b/addons/web/static/src/css/base.css index 6da9f1bbe8d..9e5bae864ab 100644 --- a/addons/web/static/src/css/base.css +++ b/addons/web/static/src/css/base.css @@ -518,6 +518,11 @@ label.error { .openerp a.oe_secondary_submenu_item { padding: 0 5px 2px 10px; } +.openerp a.oe_secondary_submenu_item, +.openerp a.oe_secondary_menu_item { + overflow: hidden; + text-overflow: ellipsis; +} .openerp a.oe_secondary_submenu_item:hover, .openerp a.oe_secondary_submenu_item.leaf.active { display: block; From 88eb2db8f93ee4770657bb36de67ffb10b3d9318 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Wed, 11 Jan 2012 17:29:23 +0100 Subject: [PATCH 117/166] [FIX] doc typo bzr revid: xmo@openerp.com-20120111162923-v1icuslj5jtcfme8 --- addons/web/static/src/js/data.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/js/data.js b/addons/web/static/src/js/data.js index 663e596acc5..447b95d17cf 100644 --- a/addons/web/static/src/js/data.js +++ b/addons/web/static/src/js/data.js @@ -422,7 +422,7 @@ openerp.web.DataSet = openerp.web.Widget.extend( /** @lends openerp.web.DataSet * @param {Number} [domain_index] index of a domain to evaluate in the args array * @param {Number} [context_index] index of a context to evaluate in the args array * @param {Function} callback - * @param {Function }error_callback + * @param {Function} error_callback * @returns {$.Deferred} */ call_and_eval: function (method, args, domain_index, context_index, callback, error_callback) { From 08d728e05c2aa89dcb295aba2360325a8509be40 Mon Sep 17 00:00:00 2001 From: "Kuldeep Joshi (OpenERP)" Date: Thu, 12 Jan 2012 11:05:24 +0530 Subject: [PATCH 118/166] [IMP] survey: remove o2m field from context bzr revid: kjo@tinyerp.com-20120112053524-cepe03223ac1eyds --- addons/survey/survey.py | 13 ------------- addons/survey/survey_view.xml | 14 +++++++------- 2 files changed, 7 insertions(+), 20 deletions(-) diff --git a/addons/survey/survey.py b/addons/survey/survey.py index bf5ec4edeef..0101cef17b8 100644 --- a/addons/survey/survey.py +++ b/addons/survey/survey.py @@ -178,7 +178,6 @@ class survey_page(osv.osv): if context is None: context = {} data = super(survey_page, self).default_get(cr, uid, fields, context) - self.pool.get('survey.question').data_get(cr,uid,data,context) if context.has_key('survey_id'): data['survey_id'] = context.get('survey_id', False) return data @@ -499,21 +498,10 @@ class survey_question(osv.osv): 'context': context } - def data_get(self, cr, uid, data, context): - if data and context: - if context.get('line_order', False): - lines = context.get('line_order') - seq = data.get('sequence', 0) - for line in lines: - seq = seq + 1 - data.update({'sequence': seq}) - return data - def default_get(self, cr, uid, fields, context=None): if context is None: context = {} data = super(survey_question, self).default_get(cr, uid, fields, context) - self.data_get(cr,uid,data,context) if context.has_key('page_id'): data['page_id']= context.get('page_id', False) return data @@ -606,7 +594,6 @@ class survey_answer(osv.osv): if context is None: context = {} data = super(survey_answer, self).default_get(cr, uid, fields, context) - self.pool.get('survey.question').data_get(cr,uid,data,context) return data survey_answer() diff --git a/addons/survey/survey_view.xml b/addons/survey/survey_view.xml index fbb49a76616..3dd7ca17f6f 100644 --- a/addons/survey/survey_view.xml +++ b/addons/survey/survey_view.xml @@ -33,13 +33,13 @@ - + - + @@ -54,7 +54,7 @@ - + @@ -310,7 +310,7 @@ - + @@ -324,7 +324,7 @@ - + @@ -537,7 +537,7 @@ - + @@ -718,7 +718,7 @@ - + From a2895b719f3c6d787d5b79b49dfb74fd77409550 Mon Sep 17 00:00:00 2001 From: Launchpad Translations on behalf of openerp <> Date: Thu, 12 Jan 2012 06:06:22 +0000 Subject: [PATCH 119/166] Launchpad automatic translations update. bzr revid: launchpad_translations_on_behalf_of_openerp-20120111044006-ehpf8voofuo20mzc bzr revid: launchpad_translations_on_behalf_of_openerp-20120112054003-82qy0l7x1jbboc9r bzr revid: launchpad_translations_on_behalf_of_openerp-20120112054058-8hdv1vhku59lbgb3 bzr revid: launchpad_translations_on_behalf_of_openerp-20120112060622-vns7g4vc2v6thkme --- addons/account/i18n/cs.po | 388 ++++++----- addons/account/i18n/zh_CN.po | 14 +- addons/account_analytic_default/i18n/tr.po | 2 +- addons/account_asset/i18n/cs.po | 232 ++++--- addons/account_budget/i18n/tr.po | 2 +- addons/account_cancel/i18n/tr.po | 2 +- addons/analytic_user_function/i18n/tr.po | 2 +- addons/anonymization/i18n/tr.po | 2 +- addons/base_iban/i18n/tr.po | 2 +- addons/base_report_creator/i18n/tr.po | 2 +- addons/base_synchro/i18n/tr.po | 2 +- addons/document/i18n/zh_CN.po | 12 +- addons/outlook/i18n/ro.po | 159 +++++ addons/pad/i18n/ro.po | 89 +++ addons/pad/i18n/tr.po | 2 +- addons/product_manufacturer/i18n/ro.po | 84 +++ addons/product_visible_discount/i18n/ro.po | 92 +++ addons/profile_tools/i18n/ro.po | 155 +++++ addons/purchase_double_validation/i18n/ro.po | 89 +++ addons/report_webkit_sample/i18n/ro.po | 149 +++++ addons/sale/i18n/ar.po | 10 +- addons/sale/i18n/zh_CN.po | 10 +- addons/sale_layout/i18n/ar.po | 263 ++++++++ addons/sale_margin/i18n/ar.po | 180 +++++ addons/sale_order_dates/i18n/ar.po | 64 ++ addons/share/i18n/tr.po | 2 +- addons/web/po/zh_CN.po | 30 +- addons/web_dashboard/po/zh_CN.po | 76 +++ addons/web_default_home/po/zh_CN.po | 38 ++ addons/web_diagram/po/zh_CN.po | 58 ++ addons/web_mobile/po/zh_CN.po | 74 +++ openerp/addons/base/i18n/ja.po | 12 +- openerp/addons/base/i18n/tr.po | 664 +++++++++++-------- 33 files changed, 2342 insertions(+), 620 deletions(-) create mode 100644 addons/outlook/i18n/ro.po create mode 100644 addons/pad/i18n/ro.po create mode 100644 addons/product_manufacturer/i18n/ro.po create mode 100644 addons/product_visible_discount/i18n/ro.po create mode 100644 addons/profile_tools/i18n/ro.po create mode 100644 addons/purchase_double_validation/i18n/ro.po create mode 100644 addons/report_webkit_sample/i18n/ro.po create mode 100644 addons/sale_layout/i18n/ar.po create mode 100644 addons/sale_margin/i18n/ar.po create mode 100644 addons/sale_order_dates/i18n/ar.po create mode 100644 addons/web_dashboard/po/zh_CN.po create mode 100644 addons/web_default_home/po/zh_CN.po create mode 100644 addons/web_diagram/po/zh_CN.po create mode 100644 addons/web_mobile/po/zh_CN.po diff --git a/addons/account/i18n/cs.po b/addons/account/i18n/cs.po index 35c9724a7c5..e8dcc996a9b 100644 --- a/addons/account/i18n/cs.po +++ b/addons/account/i18n/cs.po @@ -5,23 +5,23 @@ msgid "" msgstr "" "Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: support@openerp.com\n" +"Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2011-12-23 09:55+0000\n" -"PO-Revision-Date: 2012-01-01 15:01+0000\n" +"PO-Revision-Date: 2012-01-11 11:01+0000\n" "Last-Translator: Jiří Hajda \n" -"Language-Team: Czech \n" +"Language-Team: Czech \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-02 05:01+0000\n" -"X-Generator: Launchpad (build 14560)\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" "X-Poedit-Language: Czech\n" #. module: account #: view:account.invoice.report:0 #: view:analytic.entries.report:0 msgid "last month" -msgstr "" +msgstr "minulý měsíc" #. module: account #: model:process.transition,name:account.process_transition_supplierreconcilepaid0 @@ -49,7 +49,7 @@ msgstr "Účetní statistiky" #. module: account #: view:account.invoice:0 msgid "Proforma/Open/Paid Invoices" -msgstr "" +msgstr "Proforma/Otevřené/Zaplacené faktury" #. module: account #: field:report.invoice.created,residual:0 @@ -112,6 +112,7 @@ msgid "" "Configuration error! The currency chosen should be shared by the default " "accounts too." msgstr "" +"Chyba nastavení! Vybraná měna by měla být také sdílena výchozími účty." #. module: account #: report:account.invoice:0 @@ -162,7 +163,7 @@ msgstr "Varování!" #: code:addons/account/account.py:3182 #, python-format msgid "Miscellaneous Journal" -msgstr "" +msgstr "Různý" #. module: account #: field:account.fiscal.position.account,account_src_id:0 @@ -183,7 +184,7 @@ msgstr "Faktury vytvořené v posledních 15 dnech" #. module: account #: field:accounting.report,label_filter:0 msgid "Column Label" -msgstr "" +msgstr "Označení sloupce" #. module: account #: code:addons/account/wizard/account_move_journal.py:95 @@ -435,7 +436,7 @@ msgstr "Částka vyjádřená ve volitelné jiné měně." #. module: account #: field:accounting.report,enable_filter:0 msgid "Enable Comparison" -msgstr "" +msgstr "Povolit porovnání" #. module: account #: help:account.journal.period,state:0 @@ -526,7 +527,7 @@ msgstr "Vyberte účtový rozvrh" #. module: account #: sql_constraint:res.company:0 msgid "The company name must be unique !" -msgstr "" +msgstr "Jméno společnosti musí být jedinečné !" #. module: account #: model:ir.model,name:account.model_account_invoice_refund @@ -609,12 +610,12 @@ msgstr "Číselné řady" #: field:account.financial.report,account_report_id:0 #: selection:account.financial.report,type:0 msgid "Report Value" -msgstr "" +msgstr "Hodnota výkazu" #. module: account #: view:account.entries.report:0 msgid "Journal Entries with period in current year" -msgstr "" +msgstr "Položky deníku s obdobím v aktuálním roce" #. module: account #: report:account.central.journal:0 @@ -630,7 +631,7 @@ msgstr "Hlavní číselná řada musí být odlišná od současné!" #: code:addons/account/account.py:3376 #, python-format msgid "TAX-S-%s" -msgstr "" +msgstr "TAX-S-%s" #. module: account #: field:account.invoice.tax,tax_amount:0 @@ -652,7 +653,7 @@ msgstr "Uzavřít období" #. module: account #: model:ir.model,name:account.model_account_common_partner_report msgid "Account Common Partner Report" -msgstr "" +msgstr "Výkaz běžného účtu partnera" #. module: account #: field:account.fiscalyear.close,period_id:0 @@ -711,12 +712,12 @@ msgstr "Dnes likvidovaní partneři" #. module: account #: view:report.hr.timesheet.invoice.journal:0 msgid "Sale journal in this year" -msgstr "" +msgstr "Deník prodeje v tomto roce" #. module: account #: selection:account.financial.report,display_detail:0 msgid "Display children with hierarchy" -msgstr "" +msgstr "Zobrazit podřízené s hierarchií" #. module: account #: selection:account.payment.term.line,value:0 @@ -738,7 +739,7 @@ msgstr "Analytické položky dle řádku" #. module: account #: field:account.invoice.refund,filter_refund:0 msgid "Refund Method" -msgstr "" +msgstr "Metoda dobropisu" #. module: account #: code:addons/account/wizard/account_change_currency.py:38 @@ -749,7 +750,7 @@ msgstr "Měnu můžete změnit pouze u Návrhových faktůr !" #. module: account #: model:ir.ui.menu,name:account.menu_account_report msgid "Financial Report" -msgstr "" +msgstr "Finanční výkaz" #. module: account #: view:account.analytic.journal:0 @@ -779,7 +780,7 @@ msgstr "Odkaz na partnera pro tuto fakturu." #. module: account #: view:account.invoice.report:0 msgid "Supplier Invoices And Refunds" -msgstr "" +msgstr "Faktury dodavatele a dobropisy" #. module: account #: view:account.move.line.unreconcile.select:0 @@ -793,6 +794,7 @@ msgstr "Zrušení likvidace" #: view:account.payment.term.line:0 msgid "At 14 net days 2 percent, remaining amount at 30 days end of month." msgstr "" +"V 14 čistých dnů 2 procenta, zbývající částka v 30 dnech na konci měsíce." #. module: account #: model:ir.model,name:account.model_account_analytic_journal_report @@ -808,7 +810,7 @@ msgstr "Automatické vyrovnání" #: code:addons/account/account_move_line.py:1250 #, python-format msgid "No period found or period given is ambigous." -msgstr "" +msgstr "Nebylo nalezeno období nebo dané období je nejednoznačné." #. module: account #: model:ir.actions.act_window,help:account.action_account_gain_loss @@ -847,8 +849,8 @@ msgid "" "Can not %s invoice which is already reconciled, invoice should be " "unreconciled first. You can only Refund this invoice" msgstr "" -"Nelze %s faktury, která je již likvidována, u faktury by měla být nejprve " -"zrušena likvidace. Můžete vrátit peníze pouze této faktury" +"Nelze %s faktury, která je již likvidována, faktura by měla být nejprve " +"zlikvidována. Můžete vrátit peníze pouze této faktury" #. module: account #: model:ir.actions.act_window,name:account.action_subscription_form_new @@ -863,7 +865,7 @@ msgstr "Výpočet" #. module: account #: selection:account.invoice.refund,filter_refund:0 msgid "Cancel: refund invoice and reconcile" -msgstr "" +msgstr "Zrušení: dobropisová faktura a likvidace" #. module: account #: field:account.cashbox.line,pieces:0 @@ -919,7 +921,7 @@ msgstr "Konsolidace" #: model:account.account.type,name:account.data_account_type_liability #: model:account.financial.report,name:account.account_financial_report_liability0 msgid "Liability" -msgstr "" +msgstr "Pasiva" #. module: account #: view:account.entries.report:0 @@ -958,7 +960,7 @@ msgstr "" #: code:addons/account/account.py:2578 #, python-format msgid "I can not locate a parent code for the template account!" -msgstr "" +msgstr "Nemůžu najít nadřazený kód pro šablonu účtu!" #. module: account #: view:account.analytic.line:0 @@ -1038,7 +1040,7 @@ msgstr "" #. module: account #: field:account.report.general.ledger,sortby:0 msgid "Sort by" -msgstr "" +msgstr "Řadit podle" #. module: account #: help:account.fiscalyear.close,fy_id:0 @@ -1098,7 +1100,7 @@ msgstr "Generovat položky před:" #. module: account #: view:account.move.line:0 msgid "Unbalanced Journal Items" -msgstr "" +msgstr "Nevyrovnané položky deníku" #. module: account #: model:account.account.type,name:account.data_account_type_bank @@ -1137,7 +1139,7 @@ msgstr "" #. module: account #: view:report.account_type.sales:0 msgid "All Months Sales by type" -msgstr "" +msgstr "Prodeje ve všech měsících dle typu" #. module: account #: model:ir.actions.act_window,help:account.action_invoice_tree2 @@ -1162,12 +1164,12 @@ msgstr "Zrušit faktury" #. module: account #: help:account.journal,code:0 msgid "The code will be displayed on reports." -msgstr "" +msgstr "Kód bude zobrazen na výkazech." #. module: account #: view:account.tax.template:0 msgid "Taxes used in Purchases" -msgstr "" +msgstr "Daně použité při nákuu" #. module: account #: field:account.invoice.tax,tax_code_id:0 @@ -1307,7 +1309,7 @@ msgstr "Vyberte počáteční a koncové období" #. module: account #: model:account.financial.report,name:account.account_financial_report_profitandloss0 msgid "Profit and Loss" -msgstr "" +msgstr "Zisk a ztráty" #. module: account #: model:ir.model,name:account.model_account_account_template @@ -1471,7 +1473,7 @@ msgstr "Dočasná tabulka použitá pro zobrazení nástěnky" #: model:ir.actions.act_window,name:account.action_invoice_tree4 #: model:ir.ui.menu,name:account.menu_action_invoice_tree4 msgid "Supplier Refunds" -msgstr "" +msgstr "Dobropisy dodavatelů" #. module: account #: selection:account.account,type:0 @@ -1538,7 +1540,7 @@ msgstr "Hledat v bankovních výpisech" #. module: account #: view:account.move.line:0 msgid "Unposted Journal Items" -msgstr "" +msgstr "Nezaúčtované položky deníku" #. module: account #: view:account.chart.template:0 @@ -1550,7 +1552,7 @@ msgstr "Účet závazků" #: field:account.tax,account_paid_id:0 #: field:account.tax.template,account_paid_id:0 msgid "Refund Tax Account" -msgstr "" +msgstr "Účet dobropisu daně" #. module: account #: view:account.bank.statement:0 @@ -1607,6 +1609,8 @@ msgid "" "You can not validate a journal entry unless all journal items belongs to the " "same chart of accounts !" msgstr "" +"Nemůžete ověřit záznamy deníku pokud nepatří všechny položky do stejné " +"účtové osnovy !" #. module: account #: model:process.node,note:account.process_node_analytic0 @@ -1640,6 +1644,8 @@ msgid "" "Cancel Invoice: Creates the refund invoice, validate and reconcile it to " "cancel the current invoice." msgstr "" +"Zrušit fakturu: Pro zrušení aktuální faktury vytvoří dobropisovu fakturu, " +"ověří ji a zlikviduje." #. module: account #: model:ir.ui.menu,name:account.periodical_processing_invoicing @@ -1683,7 +1689,7 @@ msgstr "" #. module: account #: view:account.analytic.account:0 msgid "Pending Accounts" -msgstr "" +msgstr "Čekající účty" #. module: account #: code:addons/account/account_move_line.py:835 @@ -1778,7 +1784,7 @@ msgstr "Nemůžete vytvořit pohybové řádky v uzavřeném účtu." #: code:addons/account/account.py:428 #, python-format msgid "Error!" -msgstr "" +msgstr "Chyba!" #. module: account #: sql_constraint:account.move.line:0 @@ -1810,7 +1816,7 @@ msgstr "Položky dle řádku" #. module: account #: field:account.vat.declaration,based_on:0 msgid "Based on" -msgstr "" +msgstr "Založeno na" #. module: account #: field:account.invoice,move_id:0 @@ -1934,7 +1940,7 @@ msgstr "Obrázek" #. module: account #: model:ir.actions.act_window,help:account.action_account_financial_report_tree msgid "Makes a generic system to draw financial reports easily." -msgstr "" +msgstr "Udělá obecný systém pro snadné kreslení finančních výkazů." #. module: account #: view:account.invoice:0 @@ -1954,7 +1960,7 @@ msgstr "" #. module: account #: view:account.analytic.line:0 msgid "Analytic Journal Items related to a sale journal." -msgstr "" +msgstr "Položky analytického deníku vztažené k prodejnímu deníku." #. module: account #: help:account.bank.statement,name:0 @@ -2059,6 +2065,8 @@ msgid "" "There is no default default debit account defined \n" "on journal \"%s\"" msgstr "" +"Není určen výchozí dluhový účet \n" +"deníku \"%s\"" #. module: account #: help:account.account.template,type:0 @@ -2092,11 +2100,13 @@ msgid "" "You can not modify the company of this journal as its related record exist " "in journal items" msgstr "" +"Nemůžete změnit společnost tohoto deníku, protože jeho vztažené záznamy " +"existují v položkách deníku" #. module: account #: report:account.invoice:0 msgid "Customer Code" -msgstr "" +msgstr "Kód zákazníka" #. module: account #: view:account.installer:0 @@ -2240,7 +2250,7 @@ msgstr "Pro vybrání všech účetních období nechte pole prázdné" #. module: account #: field:account.invoice.report,account_line_id:0 msgid "Account Line" -msgstr "" +msgstr "Řádek účtu" #. module: account #: code:addons/account/account.py:1465 @@ -2268,7 +2278,7 @@ msgstr "Účetní záznam" #. module: account #: constraint:res.partner:0 msgid "Error ! You cannot create recursive associated members." -msgstr "" +msgstr "Chyba ! Nemůžete vytvořit rekurzivní přidružené členy." #. module: account #: field:account.sequence.fiscalyear,sequence_main_id:0 @@ -2352,6 +2362,10 @@ msgid "" "You can create one in the menu: \n" "Configuration\\Financial Accounting\\Accounts\\Journals." msgstr "" +"Pro tuto firmu neexistuje účetní kniha typu %s.\n" +"\n" +"Můžete ji vytvořit v nabídce:\n" +"Konfigurace/Finanční účetnictví/Účty/Knihy" #. module: account #: model:account.payment.term,name:account.account_payment_term_advance @@ -2438,7 +2452,7 @@ msgstr "Daně dodavatele" #. module: account #: view:account.entries.report:0 msgid "entries" -msgstr "" +msgstr "položky" #. module: account #: help:account.invoice,date_due:0 @@ -2470,13 +2484,13 @@ msgstr "Název Pohybu" msgid "" "The fiscal position will determine taxes and the accounts used for the " "partner." -msgstr "" +msgstr "Finanční pozice určí daně a účty použité pro partnera." #. module: account #: view:account.print.journal:0 msgid "" "This report gives you an overview of the situation of a specific journal" -msgstr "" +msgstr "Tento výkaz vám dává přehled o situaci určitého deníku" #. module: account #: model:ir.model,name:account.model_account_move_line_reconcile_writeoff @@ -2592,7 +2606,7 @@ msgstr "Zaplaceno/Vyrovnáno" #: field:account.tax,ref_base_code_id:0 #: field:account.tax.template,ref_base_code_id:0 msgid "Refund Base Code" -msgstr "" +msgstr "Základní kód dobropisu" #. module: account #: selection:account.tax.template,applicable_type:0 @@ -2611,7 +2625,7 @@ msgstr "Data" #. module: account #: field:account.chart.template,parent_id:0 msgid "Parent Chart Template" -msgstr "" +msgstr "Nadřazená šablona osnovy" #. module: account #: field:account.tax,parent_id:0 @@ -2623,7 +2637,7 @@ msgstr "Nadřazený daňový účet" #: code:addons/account/wizard/account_change_currency.py:59 #, python-format msgid "New currency is not configured properly !" -msgstr "" +msgstr "Nová měna nebyla správně nastavena !" #. module: account #: view:account.subscription.generate:0 @@ -2648,7 +2662,7 @@ msgstr "Účetní položky" #. module: account #: field:account.invoice,reference_type:0 msgid "Communication Type" -msgstr "" +msgstr "Typ komunikace" #. module: account #: field:account.invoice.line,discount:0 @@ -2674,7 +2688,7 @@ msgstr "Nové finanční nastavení společnosti" #. module: account #: view:account.installer:0 msgid "Configure Your Chart of Accounts" -msgstr "" +msgstr "Nastavit vaši účtovou osnovu" #. module: account #: model:ir.actions.act_window,name:account.action_report_account_sales_tree_all @@ -2791,7 +2805,7 @@ msgstr "Účet nákladů" #. module: account #: help:account.invoice,period_id:0 msgid "Keep empty to use the period of the validation(invoice) date." -msgstr "" +msgstr "Nechejte prázdné pro použití období data kontroly(dokladu)." #. module: account #: help:account.bank.statement,account_id:0 @@ -2811,6 +2825,8 @@ msgid "" "You can not delete an invoice which is open or paid. We suggest you to " "refund it instead." msgstr "" +"Nemůžete smazat doklad, který je otevřený nebo zaplacený. Doporučujeme místo " +"toho vytvořit dobropis." #. module: account #: field:wizard.multi.charts.accounts,sale_tax:0 @@ -2910,7 +2926,7 @@ msgstr "Měna faktury" #: field:accounting.report,account_report_id:0 #: model:ir.ui.menu,name:account.menu_account_financial_reports_tree msgid "Account Reports" -msgstr "" +msgstr "Výkazy účtů" #. module: account #: field:account.payment.term,line_ids:0 @@ -2941,7 +2957,7 @@ msgstr "Seznam daňových šablon" #: code:addons/account/account_move_line.py:584 #, python-format msgid "You can not create move line on view account %s %s" -msgstr "" +msgstr "Nemůžete vytvořit řádek pohybu ve zobrazení účtu %s %s." #. module: account #: help:account.account,currency_mode:0 @@ -2978,7 +2994,7 @@ msgstr "Vždy" #: view:account.invoice.report:0 #: view:analytic.entries.report:0 msgid "Month-1" -msgstr "" +msgstr "Měsíc -1" #. module: account #: view:account.analytic.line:0 @@ -3026,7 +3042,7 @@ msgstr "Analytická řádky" #. module: account #: view:account.invoice:0 msgid "Proforma Invoices" -msgstr "" +msgstr "Proforma faktura" #. module: account #: model:process.node,name:account.process_node_electronicfile0 @@ -3041,7 +3057,7 @@ msgstr "Odběratelský úvěr" #. module: account #: view:account.payment.term.line:0 msgid " Day of the Month: 0" -msgstr "" +msgstr " Den v měsíci: 0" #. module: account #: view:account.subscription:0 @@ -3088,7 +3104,7 @@ msgstr "Generovat účtovou osnovu z šablony osnovy" #. module: account #: view:report.account.sales:0 msgid "This months' Sales by type" -msgstr "" +msgstr "Tyto prodejní měsíce podle typu" #. module: account #: model:ir.model,name:account.model_account_unreconcile_reconcile @@ -3164,7 +3180,7 @@ msgstr "Zbývající partneři" #: view:account.subscription:0 #: field:account.subscription,lines_id:0 msgid "Subscription Lines" -msgstr "" +msgstr "Řádky předplatného" #. module: account #: selection:account.analytic.journal,type:0 @@ -3186,7 +3202,7 @@ msgstr "Nastavení účetní aplikace" #. module: account #: view:account.payment.term.line:0 msgid " Value amount: 0.02" -msgstr "" +msgstr " Částka hodnoty: 0.02" #. module: account #: field:account.chart,period_from:0 @@ -3215,7 +3231,7 @@ msgstr "Uzavřit období" #. module: account #: field:account.financial.report,display_detail:0 msgid "Display details" -msgstr "" +msgstr "Zobrazit podrobnosti" #. module: account #: report:account.overdue:0 @@ -3225,7 +3241,7 @@ msgstr "DPH:" #. module: account #: constraint:account.invoice:0 msgid "Invalid BBA Structured Communication !" -msgstr "" +msgstr "Neplatná strukturovaná komunikace BBA !" #. module: account #: help:account.analytic.line,amount_currency:0 @@ -3281,7 +3297,7 @@ msgid "" "All selected journal entries will be validated and posted. It means you " "won't be able to modify their accounting fields anymore." msgstr "" -"Všechny vybrané záznamy deníku budou ověřeny a poslané. To znamená, že " +"Všechny vybrané záznamy deníku budou ověřeny a zaúčtovány. To znamená, že " "nebudete schopni nadále měnit jejich účetní pole." #. module: account @@ -3314,7 +3330,7 @@ msgstr "Jméno daňového případu" #: code:addons/account/account.py:3369 #, python-format msgid "BASE-S-%s" -msgstr "" +msgstr "BASE-S-%s" #. module: account #: code:addons/account/wizard/account_invoice_state.py:68 @@ -3329,12 +3345,12 @@ msgstr "" #. module: account #: view:account.invoice.line:0 msgid "Quantity :" -msgstr "" +msgstr "Množství :" #. module: account #: field:account.aged.trial.balance,period_length:0 msgid "Period Length (days)" -msgstr "" +msgstr "Délka období (dny)" #. module: account #: field:account.invoice.report,state:0 @@ -3366,7 +3382,7 @@ msgstr "" #. module: account #: sql_constraint:res.currency:0 msgid "The currency code must be unique per company!" -msgstr "" +msgstr "Kód měny musí být jedinečný podle společnosti!" #. module: account #: selection:account.account.type,close_method:0 @@ -3459,7 +3475,7 @@ msgstr "Datum" #. module: account #: view:account.move:0 msgid "Post" -msgstr "" +msgstr "Zaúčtovat" #. module: account #: view:account.unreconcile:0 @@ -3529,7 +3545,7 @@ msgstr "Bez filtrů" #. module: account #: view:account.invoice.report:0 msgid "Pro-forma Invoices" -msgstr "" +msgstr "Pro-forma faktury" #. module: account #: view:res.partner:0 @@ -3619,7 +3635,7 @@ msgstr "#Položky" #. module: account #: selection:account.invoice.refund,filter_refund:0 msgid "Create a draft Refund" -msgstr "" +msgstr "Vytvořit koncept dobropisu" #. module: account #: view:account.account:0 @@ -3688,7 +3704,7 @@ msgstr "Efektivní datum" #: model:ir.actions.act_window,name:account.action_bank_tree #: model:ir.ui.menu,name:account.menu_action_bank_tree msgid "Setup your Bank Accounts" -msgstr "" +msgstr "Nastavit vaše bankovní účty" #. module: account #: code:addons/account/wizard/account_move_bank_reconcile.py:53 @@ -3784,7 +3800,7 @@ msgstr "Ověřit" #. module: account #: model:account.financial.report,name:account.account_financial_report_assets0 msgid "Assets" -msgstr "" +msgstr "Majetky" #. module: account #: view:account.invoice.confirm:0 @@ -3801,7 +3817,7 @@ msgstr "Průměrný kurz" #: field:account.common.account.report,display_account:0 #: field:account.report.general.ledger,display_account:0 msgid "Display Accounts" -msgstr "" +msgstr "Zobrazit účty" #. module: account #: view:account.state.open:0 @@ -3850,7 +3866,7 @@ msgstr "" #. module: account #: view:account.move.line:0 msgid "Posted Journal Items" -msgstr "" +msgstr "Zaúčtované položky deníku" #. module: account #: view:account.tax.template:0 @@ -3865,12 +3881,12 @@ msgstr "Položky návrhu" #. module: account #: view:account.payment.term.line:0 msgid " Day of the Month= -1" -msgstr "" +msgstr " Den v měsíci= -1" #. module: account #: view:account.payment.term.line:0 msgid " Number of Days: 30" -msgstr "" +msgstr " Počet dní: 30" #. module: account #: field:account.account,shortcut:0 @@ -3894,7 +3910,7 @@ msgstr "" #. module: account #: view:res.partner:0 msgid "Bank Account Owner" -msgstr "" +msgstr "Vlastník bankovního účtu" #. module: account #: report:account.account.balance:0 @@ -3968,7 +3984,7 @@ msgstr "Měsíc" #. module: account #: field:res.company,paypal_account:0 msgid "Paypal Account" -msgstr "" +msgstr "Účet Paypal" #. module: account #: field:account.invoice.report,uom_name:0 @@ -4059,7 +4075,7 @@ msgstr "" #: code:addons/account/report/common_report_header.py:68 #, python-format msgid "All Posted Entries" -msgstr "Všechny poslané položky" +msgstr "Všechny zaúčtované položky" #. module: account #: code:addons/account/account_bank_statement.py:365 @@ -4182,7 +4198,7 @@ msgstr "Nerealizováno" #. module: account #: field:account.chart.template,visible:0 msgid "Can be Visible?" -msgstr "" +msgstr "Může být viditelné?" #. module: account #: model:ir.model,name:account.model_account_journal_select @@ -4197,7 +4213,7 @@ msgstr "Poznámky Dal" #. module: account #: sql_constraint:account.period:0 msgid "The name of the period must be unique per company!" -msgstr "" +msgstr "Jméno období musí být jedinečné podle společnosti!" #. module: account #: view:wizard.multi.charts.accounts:0 @@ -4300,7 +4316,7 @@ msgstr "Chová se jako výchozí účet pro částku Dal" #: view:validate.account.move:0 #: view:validate.account.move.lines:0 msgid "Post Journal Entries" -msgstr "" +msgstr "Zaúčtovat položky deníku" #. module: account #: selection:account.invoice,state:0 @@ -4317,7 +4333,7 @@ msgstr "Uzavírací zůstek založeny na pokladně" #. module: account #: view:account.payment.term.line:0 msgid "Example" -msgstr "" +msgstr "Příklad" #. module: account #: constraint:account.account:0 @@ -4387,7 +4403,7 @@ msgstr "" #. module: account #: selection:account.bank.statement,state:0 msgid "New" -msgstr "" +msgstr "Nový" #. module: account #: field:account.invoice.refund,date:0 @@ -4403,7 +4419,7 @@ msgstr "Nezlikvidované transakce" #: field:account.tax,ref_tax_code_id:0 #: field:account.tax.template,ref_tax_code_id:0 msgid "Refund Tax Code" -msgstr "" +msgstr "Kód daně dobropisu" #. module: account #: view:validate.account.move:0 @@ -4431,7 +4447,7 @@ msgstr "Příjmový účet na šabloně výrobku" #: code:addons/account/account.py:3190 #, python-format msgid "MISC" -msgstr "" +msgstr "Různé" #. module: account #: model:email.template,subject:account.email_template_edi_invoice @@ -4464,7 +4480,7 @@ msgstr "Faktury" #. module: account #: view:account.invoice:0 msgid "My invoices" -msgstr "" +msgstr "Moje faktury" #. module: account #: selection:account.bank.accounts.wizard,account_type:0 @@ -4487,7 +4503,7 @@ msgstr "Fakturováno" #. module: account #: view:account.move:0 msgid "Posted Journal Entries" -msgstr "" +msgstr "Zaúčtované položky deníku" #. module: account #: view:account.use.model:0 @@ -4642,7 +4658,7 @@ msgstr "" #. module: account #: sql_constraint:account.invoice:0 msgid "Invoice Number must be unique per Company!" -msgstr "" +msgstr "Číslo dokladu musí být jedinečné na společnost!" #. module: account #: model:ir.actions.act_window,name:account.action_account_receivable_graph @@ -4657,7 +4673,7 @@ msgstr "Generovat otvírající záznamy finančního roku" #. module: account #: model:res.groups,name:account.group_account_user msgid "Accountant" -msgstr "" +msgstr "Účetní" #. module: account #: model:ir.actions.act_window,help:account.action_account_treasury_report_all @@ -4670,7 +4686,7 @@ msgstr "" #: code:addons/account/account.py:3369 #, python-format msgid "BASE-P-%s" -msgstr "" +msgstr "BASE-P-%s" #. module: account #: field:account.journal,group_invoice_lines:0 @@ -4717,6 +4733,9 @@ msgid "" "You should set the journal to allow cancelling entries if you want to do " "that." msgstr "" +"Nemůžete upravit zaúčtované položky tohoto deníku !\n" +"Pokud to chcete udělat, měli byste nastavit deník, aby bylo povoleno zrušení " +"položek." #. module: account #: model:ir.ui.menu,name:account.account_template_folder @@ -4940,7 +4959,7 @@ msgstr "" #. module: account #: field:account.invoice,residual:0 msgid "To Pay" -msgstr "" +msgstr "K zaplacení" #. module: account #: model:ir.ui.menu,name:account.final_accounting_reports @@ -4991,7 +5010,7 @@ msgstr "Obchod" #. module: account #: view:account.financial.report:0 msgid "Report" -msgstr "" +msgstr "Výkaz" #. module: account #: view:account.analytic.line:0 @@ -5128,12 +5147,12 @@ msgstr "Začátek období" #. module: account #: report:account.analytic.account.quantity_cost_ledger:0 msgid "J.C./Move name" -msgstr "" +msgstr "J.C./Název pohybu" #. module: account #: model:ir.model,name:account.model_account_common_account_report msgid "Account Common Account Report" -msgstr "" +msgstr "Obecný výkaz účtu" #. module: account #: field:account.bank.statement.line,name:0 @@ -5150,7 +5169,7 @@ msgstr "Analytické účetnictví" #: field:account.partner.ledger,initial_balance:0 #: field:account.report.general.ledger,initial_balance:0 msgid "Include Initial Balances" -msgstr "" +msgstr "Včetně počátečních zůstatků" #. module: account #: selection:account.invoice,type:0 @@ -5181,7 +5200,7 @@ msgstr "Výkaz faktur vytvořených za posledních 15 dnů" #. module: account #: view:account.payment.term.line:0 msgid " Number of Days: 14" -msgstr "" +msgstr " Počet dnů: 14" #. module: account #: field:account.fiscalyear,end_journal_period_id:0 @@ -5204,7 +5223,7 @@ msgstr "Chyb nastavení !" #. module: account #: field:account.payment.term.line,value_amount:0 msgid "Amount To Pay" -msgstr "" +msgstr "Částka k zaplacení" #. module: account #: help:account.partner.reconcile.process,to_reconcile:0 @@ -5231,7 +5250,7 @@ msgstr "Množství výrobků" #: selection:account.move,state:0 #: view:account.move.line:0 msgid "Unposted" -msgstr "" +msgstr "Nezaúčtované" #. module: account #: view:account.change.currency:0 @@ -5271,7 +5290,7 @@ msgstr "Analytické účty" #. module: account #: view:account.invoice.report:0 msgid "Customer Invoices And Refunds" -msgstr "" +msgstr "Faktury a dobropisy zákazníků" #. module: account #: field:account.analytic.line,amount_currency:0 @@ -5439,7 +5458,7 @@ msgstr "Výpočetní metoda pro částku daně." #. module: account #: view:account.payment.term.line:0 msgid "Due Date Computation" -msgstr "" +msgstr "Výpočet data splatnosti" #. module: account #: field:report.invoice.created,create_date:0 @@ -5628,7 +5647,7 @@ msgstr "Filtrovat podle" #: code:addons/account/account.py:2252 #, python-format msgid "You have a wrong expression \"%(...)s\" in your model !" -msgstr "" +msgstr "Máte nesprávný výraz \"%(...)s\" ve vašem modelu !" #. module: account #: code:addons/account/account_move_line.py:1154 @@ -5662,7 +5681,7 @@ msgstr "" #: code:addons/account/wizard/account_change_currency.py:70 #, python-format msgid "Current currency is not configured properly !" -msgstr "" +msgstr "Aktuální měna není správně nastavena !" #. module: account #: field:account.tax,account_collected_id:0 @@ -5703,7 +5722,7 @@ msgstr "Období: %s" #. module: account #: model:ir.actions.act_window,name:account.action_review_financial_journals_installer msgid "Review your Financial Journals" -msgstr "" +msgstr "Prohlédnout vaše finanční deníky" #. module: account #: help:account.tax,name:0 @@ -5771,7 +5790,7 @@ msgstr "" #. module: account #: view:account.subscription:0 msgid "Running Subscription" -msgstr "" +msgstr "Běžící předplatné" #. module: account #: report:account.invoice:0 @@ -5788,7 +5807,7 @@ msgstr "Analýza analytických záznamů" #. module: account #: selection:account.aged.trial.balance,direction_selection:0 msgid "Past" -msgstr "" +msgstr "Minulý" #. module: account #: constraint:account.account:0 @@ -5876,7 +5895,7 @@ msgstr "Toto je model pro opakující se účetní položky" #. module: account #: field:wizard.multi.charts.accounts,sale_tax_rate:0 msgid "Sales Tax(%)" -msgstr "" +msgstr "Prodejní daň(%)" #. module: account #: code:addons/account/account_analytic_line.py:102 @@ -5939,7 +5958,7 @@ msgstr "" #. module: account #: view:account.invoice.report:0 msgid "Open and Paid Invoices" -msgstr "" +msgstr "Otevřené a zaplacené faktury" #. module: account #: selection:account.financial.report,display_detail:0 @@ -6197,7 +6216,7 @@ msgstr "Zadejte počáteční datum !" #: selection:account.invoice.report,type:0 #: selection:report.invoice.created,type:0 msgid "Supplier Refund" -msgstr "" +msgstr "Dobropis dodavatele" #. module: account #: model:ir.ui.menu,name:account.menu_dashboard_acc @@ -6245,7 +6264,7 @@ msgstr "Pouze pro čtení" #. module: account #: view:account.payment.term.line:0 msgid " Valuation: Balance" -msgstr "" +msgstr " Ocenění: Zůstatek" #. module: account #: field:account.invoice.line,uos_id:0 @@ -6262,7 +6281,7 @@ msgstr "" #. module: account #: field:account.installer,has_default_company:0 msgid "Has Default Company" -msgstr "" +msgstr "Má výchozí společnost" #. module: account #: model:ir.model,name:account.model_account_sequence_fiscalyear @@ -6310,7 +6329,7 @@ msgstr "Kategorie výdajů účtu" #. module: account #: sql_constraint:account.tax:0 msgid "Tax Name must be unique per company!" -msgstr "" +msgstr "Jméno daně musí být jedinečné podle společnosti!" #. module: account #: view:account.bank.statement:0 @@ -6469,7 +6488,7 @@ msgstr "Vytvořit položku" #: code:addons/account/account.py:182 #, python-format msgid "Profit & Loss (Expense account)" -msgstr "" +msgstr "Zisk & ztráty (Výdajový účet)" #. module: account #: code:addons/account/account.py:621 @@ -6524,7 +6543,7 @@ msgstr "Vytisknutý" #: code:addons/account/account_move_line.py:591 #, python-format msgid "Error :" -msgstr "" +msgstr "Chyba" #. module: account #: view:account.analytic.line:0 @@ -6765,7 +6784,7 @@ msgstr "" #. module: account #: view:account.tax.template:0 msgid "Taxes used in Sales" -msgstr "" +msgstr "Daně použité při prodeji" #. module: account #: code:addons/account/account_invoice.py:484 @@ -6839,7 +6858,7 @@ msgstr "Zdrojový dokument" #: code:addons/account/account.py:1429 #, python-format msgid "You can not delete a posted journal entry \"%s\"!" -msgstr "" +msgstr "Nemůžete smazat zaúčtovanou položku deníku \"%s\"!" #. module: account #: selection:account.partner.ledger,filter:0 @@ -6857,7 +6876,7 @@ msgstr "Likvidace výpisů" #. module: account #: model:ir.model,name:account.model_accounting_report msgid "Accounting Report" -msgstr "" +msgstr "Výkaz účetnictví" #. module: account #: report:account.invoice:0 @@ -6972,7 +6991,7 @@ msgstr "Nadřazená šablona účtu" #. module: account #: model:ir.actions.act_window,name:account.action_account_configuration_installer msgid "Install your Chart of Accounts" -msgstr "" +msgstr "Instalovat vaši účtovou osnovu" #. module: account #: view:account.bank.statement:0 @@ -6999,12 +7018,12 @@ msgstr "" #. module: account #: view:account.entries.report:0 msgid "Posted entries" -msgstr "" +msgstr "Zaúčtované položky" #. module: account #: help:account.payment.term.line,value_amount:0 msgid "For percent enter a ratio between 0-1." -msgstr "" +msgstr "Pro procenta zadejte násobek mezi 0-1." #. module: account #: report:account.invoice:0 @@ -7017,7 +7036,7 @@ msgstr "Datum faktury" #. module: account #: view:account.invoice.report:0 msgid "Group by year of Invoice Date" -msgstr "" +msgstr "Seskupit podle roku fakturačního data" #. module: account #: help:res.partner,credit:0 @@ -7089,7 +7108,7 @@ msgid "" "Bank Account Number, Company bank account if Invoice is customer or supplier " "refund, otherwise Partner bank account number." msgstr "" -"Číslo bakovního účtu, Bankovní účet společnosti, pokud faktura je dobropis " +"Číslo bankovního účtu, Bankovní účet společnosti, pokud faktura je dobropis " "zákazníka nebo dodavatele, jinak číslo bankovního účtu partnera." #. module: account @@ -7109,7 +7128,7 @@ msgstr "Měli byste vybrat období, které patří ke stejné společnosti" #. module: account #: model:ir.actions.act_window,name:account.action_review_payment_terms_installer msgid "Review your Payment Terms" -msgstr "" +msgstr "Prohlédnout vaše platební podmínky" #. module: account #: field:account.fiscalyear.close,report_name:0 @@ -7124,7 +7143,7 @@ msgstr "Vytvořit položky" #. module: account #: view:res.partner:0 msgid "Information About the Bank" -msgstr "" +msgstr "Informace o bance" #. module: account #: model:ir.ui.menu,name:account.menu_finance_reporting @@ -7146,7 +7165,7 @@ msgstr "Varování" #. module: account #: model:ir.actions.act_window,name:account.action_analytic_open msgid "Contracts/Analytic Accounts" -msgstr "" +msgstr "Smlouvy/Analytické účty" #. module: account #: field:account.bank.statement,ending_details_ids:0 @@ -7217,7 +7236,7 @@ msgstr "Řádek faktury" #. module: account #: view:account.invoice.report:0 msgid "Customer And Supplier Refunds" -msgstr "" +msgstr "Dobropisy zákazníků a dodavatelů" #. module: account #: field:account.financial.report,sign:0 @@ -7264,7 +7283,7 @@ msgstr "Normální" #: model:ir.actions.act_window,name:account.action_email_templates #: model:ir.ui.menu,name:account.menu_email_templates msgid "Email Templates" -msgstr "" +msgstr "Šablony emailů" #. module: account #: view:account.move.line:0 @@ -7297,12 +7316,12 @@ msgstr "" #. module: account #: model:ir.ui.menu,name:account.menu_multi_currency msgid "Multi-Currencies" -msgstr "" +msgstr "Více měn" #. module: account #: field:account.model.line,date_maturity:0 msgid "Maturity Date" -msgstr "" +msgstr "Datum splatnosti" #. module: account #: code:addons/account/account_move_line.py:1301 @@ -7352,7 +7371,7 @@ msgstr "" #. module: account #: view:account.move:0 msgid "Unposted Journal Entries" -msgstr "" +msgstr "Nezaúčtované položky deníku" #. module: account #: view:product.product:0 @@ -7381,7 +7400,7 @@ msgstr "Do" #: code:addons/account/account.py:1515 #, python-format msgid "Currency Adjustment" -msgstr "" +msgstr "Úprava měny" #. module: account #: field:account.fiscalyear.close,fy_id:0 @@ -7442,6 +7461,7 @@ msgid "" "The sequence field is used to order the resources from lower sequences to " "higher ones." msgstr "" +"Pole pořadí je použito pro řazení záznamů od nejnižšího čísla k nejvyššímu." #. module: account #: field:account.tax.code,code:0 @@ -7452,7 +7472,7 @@ msgstr "Kód případu" #. module: account #: view:validate.account.move:0 msgid "Post Journal Entries of a Journal" -msgstr "" +msgstr "Zaúčtovat položky deníku jako deník" #. module: account #: view:product.product:0 @@ -7462,7 +7482,7 @@ msgstr "Obchodní daně" #. module: account #: field:account.financial.report,name:0 msgid "Report Name" -msgstr "" +msgstr "Jméno výkazu" #. module: account #: model:account.account.type,name:account.data_account_type_cash @@ -7520,12 +7540,12 @@ msgstr "Posloupnost" #. module: account #: constraint:product.category:0 msgid "Error ! You cannot create recursive categories." -msgstr "" +msgstr "Chyba ! Nemůžete vytvořit rekurzivní Kategorie." #. module: account #: view:account.financial.report:0 msgid "Parent Report" -msgstr "" +msgstr "Nadřazený výkaz" #. module: account #: view:account.state.open:0 @@ -7706,7 +7726,7 @@ msgstr "Žádné řádky faktury !" #. module: account #: view:account.financial.report:0 msgid "Report Type" -msgstr "" +msgstr "Typ výkazu" #. module: account #: view:account.analytic.account:0 @@ -7814,7 +7834,7 @@ msgstr "" #. module: account #: report:account.analytic.account.inverted.balance:0 msgid "Inverted Analytic Balance -" -msgstr "" +msgstr "Převrácený analytický zůstatek -" #. module: account #: view:account.move.bank.reconcile:0 @@ -7830,7 +7850,7 @@ msgstr "Analytická položky" #. module: account #: view:report.account_type.sales:0 msgid "This Months Sales by type" -msgstr "" +msgstr "Tyto prodejní měsíce podle typu" #. module: account #: view:account.analytic.account:0 @@ -7902,7 +7922,7 @@ msgstr "Proforma" #. module: account #: report:account.analytic.account.cost_ledger:0 msgid "J.C. /Move name" -msgstr "" +msgstr "J.C. /Název Pohybu" #. module: account #: model:ir.model,name:account.model_account_open_closed_fiscalyear @@ -7913,7 +7933,7 @@ msgstr "Vyberte daňový rok" #: code:addons/account/account.py:3181 #, python-format msgid "Purchase Refund Journal" -msgstr "" +msgstr "Deník nákupních dobropisů" #. module: account #: help:account.tax.template,amount:0 @@ -7928,12 +7948,12 @@ msgstr "8" #. module: account #: view:account.analytic.account:0 msgid "Current Accounts" -msgstr "" +msgstr "Aktuální účty" #. module: account #: view:account.invoice.report:0 msgid "Group by Invoice Date" -msgstr "" +msgstr "Seskupit podle fakturačního data" #. module: account #: view:account.invoice.refund:0 @@ -8036,7 +8056,7 @@ msgstr "Daňová/základní částka" #. module: account #: view:account.payment.term.line:0 msgid " Valuation: Percent" -msgstr "" +msgstr " Ocenění: Procenta" #. module: account #: model:ir.actions.act_window,help:account.action_invoice_tree3 @@ -8125,7 +8145,7 @@ msgstr "Obecný výkaz účtu" #: view:account.invoice.report:0 #: view:analytic.entries.report:0 msgid "current month" -msgstr "" +msgstr "aktuální měsíc" #. module: account #: code:addons/account/account.py:1051 @@ -8134,6 +8154,8 @@ msgid "" "No period defined for this date: %s !\n" "Please create one." msgstr "" +"Nezadáno období pro tento datum: %s !\n" +"Prosíme vytvořte nějaké." #. module: account #: constraint:account.move.line:0 @@ -8141,6 +8163,7 @@ msgid "" "The selected account of your Journal Entry must receive a value in its " "secondary currency" msgstr "" +"Vybraný účet vaší položky deníku musí obdržet hodnotu ve své druhořadé měně" #. module: account #: model:process.transition,name:account.process_transition_filestatement0 @@ -8168,7 +8191,7 @@ msgstr "Typy účtů" #. module: account #: view:account.payment.term.line:0 msgid " Value amount: n.a" -msgstr "" +msgstr " Částka hodnoty: není" #. module: account #: view:account.automatic.reconcile:0 @@ -8209,7 +8232,7 @@ msgstr "Stav uzavření finančního roku" #. module: account #: field:account.invoice.refund,journal_id:0 msgid "Refund Journal" -msgstr "Deník vrácení peněz" +msgstr "Deník dobropisů" #. module: account #: report:account.account.balance:0 @@ -8236,6 +8259,8 @@ msgstr "" msgid "" "In order to close a period, you must first post related journal entries." msgstr "" +"Abyste mohli uzavřít období, musíte nejdříve zaúčtovat související položky " +"deníku." #. module: account #: view:account.entries.report:0 @@ -8252,7 +8277,7 @@ msgstr "" #. module: account #: view:account.analytic.account:0 msgid "Contacts" -msgstr "" +msgstr "Kontakty" #. module: account #: field:account.tax.code,parent_id:0 @@ -8276,6 +8301,7 @@ msgstr "Deník nákupů" #: view:account.invoice.refund:0 msgid "Refund Invoice: Creates the refund invoice, ready for editing." msgstr "" +"Dobropisová faktura: Vytvoří dobropisovou fakturu, připravenou pro úpravu." #. module: account #: field:account.invoice.line,price_subtotal:0 @@ -8311,7 +8337,7 @@ msgstr "Dodavatelé" #: code:addons/account/account.py:3376 #, python-format msgid "TAX-P-%s" -msgstr "" +msgstr "TAX-P-%s" #. module: account #: view:account.journal:0 @@ -8422,12 +8448,12 @@ msgstr "Název deníku" #. module: account #: view:account.move.line:0 msgid "Next Partner Entries to reconcile" -msgstr "" +msgstr "Další zápisy partnera k likvidaci" #. module: account #: model:res.groups,name:account.group_account_invoice msgid "Invoicing & Payments" -msgstr "" +msgstr "Fakturace & platby" #. module: account #: help:account.invoice,internal_number:0 @@ -8448,7 +8474,7 @@ msgstr "Částka na dokladu musí odpovídat částce v řádku výpisu" #: model:account.account.type,name:account.data_account_type_expense #: model:account.financial.report,name:account.account_financial_report_expense0 msgid "Expense" -msgstr "" +msgstr "Výdaje" #. module: account #: help:account.chart,fiscalyear:0 @@ -8544,7 +8570,7 @@ msgstr "Kontaktní adresa" #: code:addons/account/account.py:2252 #, python-format msgid "Wrong model !" -msgstr "" +msgstr "Nesprávný model !" #. module: account #: field:account.invoice.refund,period:0 @@ -8605,7 +8631,7 @@ msgstr "" #: view:account.move.line:0 #: field:account.move.line,narration:0 msgid "Internal Note" -msgstr "" +msgstr "Vnitřní poznámka" #. module: account #: view:report.account.sales:0 @@ -8662,7 +8688,7 @@ msgstr "Řádky položek" #. module: account #: model:ir.actions.act_window,name:account.action_view_financial_accounts_installer msgid "Review your Financial Accounts" -msgstr "" +msgstr "Prohlédnout vaše finanční účty" #. module: account #: model:ir.actions.act_window,name:account.action_open_journal_button @@ -8775,7 +8801,7 @@ msgstr "Konec období" #: model:ir.actions.act_window,name:account.action_account_report #: model:ir.ui.menu,name:account.menu_account_reports msgid "Financial Reports" -msgstr "" +msgstr "Finanční výkazy" #. module: account #: report:account.account.balance:0 @@ -8835,7 +8861,7 @@ msgstr "Celkový úvěř" #. module: account #: model:process.transition,note:account.process_transition_suppliervalidentries0 msgid "Accountant validates the accounting entries coming from the invoice. " -msgstr "" +msgstr "Učetní ověří účetní položky přicházející z faktury " #. module: account #: report:account.overdue:0 @@ -8846,7 +8872,7 @@ msgstr "Srdečné pozdravy." #: code:addons/account/account.py:3383 #, python-format msgid "Tax %s%%" -msgstr "" +msgstr "Daň %s%%" #. module: account #: view:account.invoice:0 @@ -8886,7 +8912,7 @@ msgstr "Příjmové účty" #: code:addons/account/account_move_line.py:591 #, python-format msgid "You can not create move line on closed account %s %s" -msgstr "" +msgstr "Nemůžete vytvořit pohybové řádky v uzavřeném účtu %s %s" #. module: account #: model:ir.actions.act_window,name:account.action_bank_statement_periodic_tree @@ -8971,7 +8997,7 @@ msgstr "Vysvětlívky" #. module: account #: view:account.analytic.account:0 msgid "Contract Data" -msgstr "" +msgstr "Datum smlouvy" #. module: account #: model:ir.actions.act_window,help:account.action_account_moves_sale @@ -8992,7 +9018,7 @@ msgstr "Musíte vybrat účet pro vyrovnání" #. module: account #: model:process.transition,note:account.process_transition_entriesreconcile0 msgid "Accounting entries are the first input of the reconciliation." -msgstr "" +msgstr "Účetní zápisy jsou první vstup pro likvidaci." #. module: account #: code:addons/account/account.py:3375 @@ -9047,7 +9073,7 @@ msgstr "" #. module: account #: report:account.central.journal:0 msgid "A/C No." -msgstr "" +msgstr "A/C Ne." #. module: account #: model:ir.actions.act_window,name:account.act_account_journal_2_account_bank_statement @@ -9104,7 +9130,7 @@ msgstr "" #. module: account #: view:account.invoice.report:0 msgid "Customer And Supplier Invoices" -msgstr "" +msgstr "Faktury zákazníků a dodavatelů" #. module: account #: model:process.node,note:account.process_node_paymententries0 @@ -9263,7 +9289,7 @@ msgstr "Návrhy faktůr" #: code:addons/account/account.py:3368 #, python-format msgid "Taxable Sales at %s" -msgstr "" +msgstr "Zdanitelné prodeje na %s" #. module: account #: selection:account.account.type,close_method:0 @@ -9329,7 +9355,7 @@ msgstr "Aktivní" #. module: account #: view:accounting.report:0 msgid "Comparison" -msgstr "" +msgstr "Porovnání" #. module: account #: code:addons/account/account_invoice.py:361 @@ -9402,7 +9428,7 @@ msgstr "" #: code:addons/account/account.py:181 #, python-format msgid "Profit & Loss (Income account)" -msgstr "" +msgstr "Zisk & ztráty (Příjmový účet)" #. module: account #: code:addons/account/account_move_line.py:1215 @@ -9412,6 +9438,9 @@ msgid "" "can just change some non important fields ! \n" "%s" msgstr "" +"Nemůžete provést tuto úpravu na potvrzeném záznamu ! Prosíme berte na " +"vědomí, že můžete změnit jen některé nedůležité pole ! \n" +"%s" #. module: account #: constraint:account.account:0 @@ -9453,7 +9482,7 @@ msgstr "Obecný" #. module: account #: view:analytic.entries.report:0 msgid "Analytic Entries of last 30 days" -msgstr "" +msgstr "Analytické zápisy za posledních 30 dní" #. module: account #: selection:account.aged.trial.balance,filter:0 @@ -9522,6 +9551,8 @@ msgid "" "Refund invoice base on this type. You can not Modify and Cancel if the " "invoice is already reconciled" msgstr "" +"Dobropisová faktura založená na tomto typu. Pokud je faktura již " +"zlikvidovaná, nemůžete ji Upravit ani Zrušit." #. module: account #: model:ir.actions.act_window,name:account.action_invoice_tree2 @@ -9598,7 +9629,7 @@ msgstr "Vnitřní typ" #. module: account #: model:ir.actions.act_window,name:account.action_subscription_form_running msgid "Running Subscriptions" -msgstr "" +msgstr "Běžící předplatné" #. module: account #: view:report.account.sales:0 @@ -9623,7 +9654,7 @@ msgstr "Vyberte období" #: selection:account.move,state:0 #: view:account.move.line:0 msgid "Posted" -msgstr "" +msgstr "Zaúčtované" #. module: account #: report:account.account.balance:0 @@ -9680,7 +9711,7 @@ msgstr "Posloupnosti finančního roku" #. module: account #: selection:account.financial.report,display_detail:0 msgid "No detail" -msgstr "" +msgstr "Bez podrobností" #. module: account #: view:account.addtmpl.wizard:0 @@ -9705,12 +9736,12 @@ msgstr "Stavy" #. module: account #: model:ir.actions.server,name:account.ir_actions_server_edi_invoice msgid "Auto-email confirmed invoices" -msgstr "" +msgstr "Automaticky odeslat emailem potvrzené faktury" #. module: account #: field:account.invoice,check_total:0 msgid "Verification Total" -msgstr "" +msgstr "Kontrolní součet" #. module: account #: report:account.analytic.account.balance:0 @@ -9925,7 +9956,7 @@ msgstr "Chyba ! Nemůžete vytvořit rekurzivní šablony účtu." #. module: account #: help:account.model.line,quantity:0 msgid "The optional quantity on entries." -msgstr "" +msgstr "Volitelné množství u položek." #. module: account #: view:account.subscription:0 @@ -9991,7 +10022,7 @@ msgstr "Účetní data" #. module: account #: view:account.tax.code.template:0 msgid "Account Tax Code Template" -msgstr "" +msgstr "Šablona kódů účtů daní" #. module: account #: model:process.node,name:account.process_node_manually0 @@ -10016,7 +10047,7 @@ msgstr "Tisk Analytických deníků" #. module: account #: view:account.invoice.report:0 msgid "Group by month of Invoice Date" -msgstr "" +msgstr "Skupina podle měsíce data faktury" #. module: account #: view:account.analytic.line:0 @@ -10076,7 +10107,7 @@ msgstr "" #. module: account #: view:account.payment.term:0 msgid "Description On Invoices" -msgstr "" +msgstr "Popis na fakturách" #. module: account #: model:ir.model,name:account.model_account_analytic_chart @@ -10103,7 +10134,7 @@ msgstr "Nesprávný účet!" #. module: account #: field:account.print.journal,sort_selection:0 msgid "Entries Sorted by" -msgstr "" +msgstr "Položky řazené dle" #. module: account #: help:account.move,state:0 @@ -10139,6 +10170,7 @@ msgstr "Listopad" #: selection:account.invoice.refund,filter_refund:0 msgid "Modify: refund invoice, reconcile and create a new draft invoice" msgstr "" +"Upravit: dobropisová faktura, likvidace a vytvoření nového konceptu faktury" #. module: account #: help:account.invoice.line,account_id:0 @@ -10148,7 +10180,7 @@ msgstr "Příjmový a výdajový účet vztažený k vybranému výrobku." #. module: account #: constraint:account.move.line:0 msgid "The date of your Journal Entry is not in the defined period!" -msgstr "" +msgstr "Datum vaší položky deníku není v zadaném období!" #. module: account #: field:account.subscription,period_total:0 @@ -10282,7 +10314,7 @@ msgstr "Ověřit řádky pohybů účtu" #: model:ir.actions.act_window,name:account.action_account_analytic_cost_ledger_journal #: model:ir.actions.report.xml,name:account.account_analytic_account_quantity_cost_ledger msgid "Cost Ledger (Only quantities)" -msgstr "" +msgstr "Hlavní kniha (pouze množství)" #. module: account #: model:process.node,note:account.process_node_supplierpaidinvoice0 diff --git a/addons/account/i18n/zh_CN.po b/addons/account/i18n/zh_CN.po index 30032817a96..a0680f429f3 100644 --- a/addons/account/i18n/zh_CN.po +++ b/addons/account/i18n/zh_CN.po @@ -7,14 +7,14 @@ msgstr "" "Project-Id-Version: OpenERP Server 6.0dev\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-23 09:55+0000\n" -"PO-Revision-Date: 2011-11-07 12:54+0000\n" +"PO-Revision-Date: 2012-01-12 04:38+0000\n" "Last-Translator: Wei \"oldrev\" Li \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-12-24 05:52+0000\n" -"X-Generator: Launchpad (build 14560)\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" #. module: account #: view:account.invoice.report:0 @@ -1431,7 +1431,7 @@ msgstr "" #. module: account #: model:ir.model,name:account.model_temp_range msgid "A Temporary table used for Dashboard view" -msgstr "用于控制台视图的临时表" +msgstr "用于仪表盘视图的临时表" #. module: account #: model:ir.actions.act_window,name:account.action_invoice_tree4 @@ -3767,7 +3767,7 @@ msgstr "(如果你想打开它发票要反核销)" #: model:ir.actions.act_window,name:account.open_board_account #: model:ir.ui.menu,name:account.menu_board_account msgid "Accounting Dashboard" -msgstr "会计控制台" +msgstr "会计仪表盘" #. module: account #: field:account.tax,name:0 @@ -6141,7 +6141,7 @@ msgstr "供应商红字发票" #. module: account #: model:ir.ui.menu,name:account.menu_dashboard_acc msgid "Dashboard" -msgstr "控制台" +msgstr "仪表盘" #. module: account #: field:account.bank.statement,move_line_ids:0 @@ -8876,7 +8876,7 @@ msgstr "本年" #. module: account #: view:board.board:0 msgid "Account Board" -msgstr "控制台" +msgstr "会计仪表盘" #. module: account #: view:account.model:0 diff --git a/addons/account_analytic_default/i18n/tr.po b/addons/account_analytic_default/i18n/tr.po index d8a66ed7645..89de2ec35d4 100644 --- a/addons/account_analytic_default/i18n/tr.po +++ b/addons/account_analytic_default/i18n/tr.po @@ -13,7 +13,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: account_analytic_default diff --git a/addons/account_asset/i18n/cs.po b/addons/account_asset/i18n/cs.po index c08c517db3d..ad248cd74b9 100644 --- a/addons/account_asset/i18n/cs.po +++ b/addons/account_asset/i18n/cs.po @@ -7,20 +7,20 @@ msgstr "" "Project-Id-Version: openobject-addons\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-22 18:43+0000\n" -"PO-Revision-Date: 2011-09-04 12:15+0000\n" +"PO-Revision-Date: 2012-01-11 09:11+0000\n" "Last-Translator: Jiří Hajda \n" -"Language-Team: Czech \n" +"Language-Team: Czech \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-12-23 07:35+0000\n" -"X-Generator: Launchpad (build 14560)\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" "X-Poedit-Language: Czech\n" #. module: account_asset #: view:account.asset.asset:0 msgid "Assets in draft and open states" -msgstr "" +msgstr "Majetek ve stavu koncept a otevřeném stavu" #. module: account_asset #: field:account.asset.category,method_end:0 @@ -32,27 +32,27 @@ msgstr "Datum ukončení" #. module: account_asset #: field:account.asset.asset,value_residual:0 msgid "Residual Value" -msgstr "" +msgstr "Zbytková hodnota" #. module: account_asset #: field:account.asset.category,account_expense_depreciation_id:0 msgid "Depr. Expense Account" -msgstr "" +msgstr "Nákladový odpisovací účet" #. module: account_asset #: view:asset.depreciation.confirmation.wizard:0 msgid "Compute Asset" -msgstr "" +msgstr "Spočítat majetek" #. module: account_asset #: view:asset.asset.report:0 msgid "Group By..." -msgstr "" +msgstr "Seskupit podle..." #. module: account_asset #: field:asset.asset.report,gross_value:0 msgid "Gross Amount" -msgstr "" +msgstr "Hrubá částka" #. module: account_asset #: view:account.asset.asset:0 @@ -73,6 +73,8 @@ msgid "" "Indicates that the first depreciation entry for this asset have to be done " "from the purchase date instead of the first January" msgstr "" +"Říká, že první odpisová položka pro tento majetek by měla být provedena z " +"data nákupu namísto prvního Ledna" #. module: account_asset #: field:account.asset.history,name:0 @@ -85,24 +87,24 @@ msgstr "Jméno historie" #: view:asset.asset.report:0 #: field:asset.asset.report,company_id:0 msgid "Company" -msgstr "" +msgstr "Společnost" #. module: account_asset #: view:asset.modify:0 msgid "Modify" -msgstr "" +msgstr "Upravit" #. module: account_asset #: selection:account.asset.asset,state:0 #: view:asset.asset.report:0 #: selection:asset.asset.report,state:0 msgid "Running" -msgstr "" +msgstr "Běžící" #. module: account_asset #: field:account.asset.depreciation.line,amount:0 msgid "Depreciation Amount" -msgstr "" +msgstr "Odpisová částka" #. module: account_asset #: view:asset.asset.report:0 @@ -110,7 +112,7 @@ msgstr "" #: model:ir.model,name:account_asset.model_asset_asset_report #: model:ir.ui.menu,name:account_asset.menu_action_asset_asset_report msgid "Assets Analysis" -msgstr "" +msgstr "Analýza majetku" #. module: account_asset #: field:asset.modify,name:0 @@ -121,13 +123,13 @@ msgstr "Důvod" #: field:account.asset.asset,method_progress_factor:0 #: field:account.asset.category,method_progress_factor:0 msgid "Degressive Factor" -msgstr "" +msgstr "Činitel klesání" #. module: account_asset #: model:ir.actions.act_window,name:account_asset.action_account_asset_asset_list_normal #: model:ir.ui.menu,name:account_asset.menu_action_account_asset_asset_list_normal msgid "Asset Categories" -msgstr "" +msgstr "Kategorie majetku" #. module: account_asset #: view:asset.depreciation.confirmation.wizard:0 @@ -135,6 +137,8 @@ msgid "" "This wizard will post the depreciation lines of running assets that belong " "to the selected period." msgstr "" +"Tento průvodce zaúčtuje řádky odpisů běžících majetků, které patří k " +"vybranému období." #. module: account_asset #: field:account.asset.asset,account_move_line_ids:0 @@ -147,29 +151,29 @@ msgstr "Položky" #: view:account.asset.asset:0 #: field:account.asset.asset,depreciation_line_ids:0 msgid "Depreciation Lines" -msgstr "" +msgstr "Řádky odpisů" #. module: account_asset #: help:account.asset.asset,salvage_value:0 msgid "It is the amount you plan to have that you cannot depreciate." -msgstr "" +msgstr "Toto je částka, kterou plánujete, že nebudete odpisovat." #. module: account_asset #: field:account.asset.depreciation.line,depreciation_date:0 #: view:asset.asset.report:0 #: field:asset.asset.report,depreciation_date:0 msgid "Depreciation Date" -msgstr "" +msgstr "Datum odpisu" #. module: account_asset #: field:account.asset.category,account_asset_id:0 msgid "Asset Account" -msgstr "" +msgstr "Účet majetku" #. module: account_asset #: field:asset.asset.report,posted_value:0 msgid "Posted Amount" -msgstr "" +msgstr "Zaúčtovaná částka" #. module: account_asset #: view:account.asset.asset:0 @@ -184,12 +188,12 @@ msgstr "Majetky" #. module: account_asset #: field:account.asset.category,account_depreciation_id:0 msgid "Depreciation Account" -msgstr "" +msgstr "Účet odpisů" #. module: account_asset #: constraint:account.move.line:0 msgid "You can not create move line on closed account." -msgstr "" +msgstr "Nemůžete vytvořit pohybové řádky v uzavřeném účtu." #. module: account_asset #: view:account.asset.asset:0 @@ -203,23 +207,23 @@ msgstr "Poznámky" #. module: account_asset #: field:account.asset.depreciation.line,move_id:0 msgid "Depreciation Entry" -msgstr "" +msgstr "Položka odpisu" #. module: account_asset #: sql_constraint:account.move.line:0 msgid "Wrong credit or debit value in accounting entry !" -msgstr "" +msgstr "Chybná hodnota Má dáti nebo Dal v účetním záznamu !" #. module: account_asset #: view:asset.asset.report:0 #: field:asset.asset.report,nbr:0 msgid "# of Depreciation Lines" -msgstr "" +msgstr "# z řádek odpisů" #. module: account_asset #: view:asset.asset.report:0 msgid "Assets in draft state" -msgstr "" +msgstr "Majetek ve stavu koncept" #. module: account_asset #: field:account.asset.asset,method_end:0 @@ -227,33 +231,33 @@ msgstr "" #: selection:account.asset.category,method_time:0 #: selection:account.asset.history,method_time:0 msgid "Ending Date" -msgstr "" +msgstr "Konečný datum" #. module: account_asset #: field:account.asset.asset,code:0 msgid "Reference" -msgstr "" +msgstr "Odkaz" #. module: account_asset #: constraint:account.invoice:0 msgid "Invalid BBA Structured Communication !" -msgstr "" +msgstr "Neplatná strukturovaná komunikace BBA !" #. module: account_asset #: view:account.asset.asset:0 msgid "Account Asset" -msgstr "" +msgstr "Účet majetku" #. module: account_asset #: model:ir.actions.act_window,name:account_asset.action_asset_depreciation_confirmation_wizard #: model:ir.ui.menu,name:account_asset.menu_asset_depreciation_confirmation_wizard msgid "Compute Assets" -msgstr "" +msgstr "Spočítat majetky" #. module: account_asset #: field:account.asset.depreciation.line,sequence:0 msgid "Sequence of the depreciation" -msgstr "" +msgstr "Pořadí odpočtů" #. module: account_asset #: field:account.asset.asset,method_period:0 @@ -261,7 +265,7 @@ msgstr "" #: field:account.asset.history,method_period:0 #: field:asset.modify,method_period:0 msgid "Period Length" -msgstr "" +msgstr "Délka období" #. module: account_asset #: selection:account.asset.asset,state:0 @@ -273,17 +277,17 @@ msgstr "Návrh" #. module: account_asset #: view:asset.asset.report:0 msgid "Date of asset purchase" -msgstr "" +msgstr "Datum zakoupení majetku" #. module: account_asset #: help:account.asset.asset,method_number:0 msgid "Calculates Depreciation within specified interval" -msgstr "" +msgstr "Spočítat odpočty v zadaném rozmezí" #. module: account_asset #: view:account.asset.asset:0 msgid "Change Duration" -msgstr "" +msgstr "Změnit trvání" #. module: account_asset #: field:account.asset.category,account_analytic_id:0 @@ -294,12 +298,12 @@ msgstr "Analytický účet" #: field:account.asset.asset,method:0 #: field:account.asset.category,method:0 msgid "Computation Method" -msgstr "" +msgstr "Metoda výpočtu" #. module: account_asset #: help:account.asset.asset,method_period:0 msgid "State here the time during 2 depreciations, in months" -msgstr "" +msgstr "Zde zjistěte čas trvajících dvou odpisů v měsících" #. module: account_asset #: constraint:account.asset.asset:0 @@ -307,6 +311,7 @@ msgid "" "Prorata temporis can be applied only for time method \"number of " "depreciations\"." msgstr "" +"Prorata temporis může být použita pouze pro časovou metodu \"počet odpisů\"." #. module: account_asset #: help:account.asset.history,method_time:0 @@ -317,44 +322,47 @@ msgid "" "Ending Date: Choose the time between 2 depreciations and the date the " "depreciations won't go beyond." msgstr "" +"Metoda k použití pro výpočet datumů a počet odpisových řádek.\n" +"Počet odpisů: Pevné číslo počtu odpisových řádků a čas mezi 2 odpisy.\n" +"Konečný datum: Vybere čas mezi 2 odpisy a datum odpis nemůže jít přes." #. module: account_asset #: field:account.asset.asset,purchase_value:0 msgid "Gross value " -msgstr "" +msgstr "Hrubá hodnota " #. module: account_asset #: constraint:account.asset.asset:0 msgid "Error ! You can not create recursive assets." -msgstr "" +msgstr "Chyba ! Nemůžete vytvářet rekurzivní majetky." #. module: account_asset #: help:account.asset.history,method_period:0 msgid "Time in month between two depreciations" -msgstr "" +msgstr "Čas v měsíci mezi dvěma odpočty" #. module: account_asset #: view:asset.asset.report:0 #: field:asset.asset.report,name:0 msgid "Year" -msgstr "" +msgstr "Rok" #. module: account_asset #: view:asset.modify:0 #: model:ir.actions.act_window,name:account_asset.action_asset_modify #: model:ir.model,name:account_asset.model_asset_modify msgid "Modify Asset" -msgstr "" +msgstr "Upravit majetek" #. module: account_asset #: view:account.asset.asset:0 msgid "Other Information" -msgstr "" +msgstr "Jiné informace" #. module: account_asset #: field:account.asset.asset,salvage_value:0 msgid "Salvage Value" -msgstr "" +msgstr "Záchranná hodnota" #. module: account_asset #: field:account.invoice.line,asset_category_id:0 @@ -365,7 +373,7 @@ msgstr "Kategorie majetku" #. module: account_asset #: view:account.asset.asset:0 msgid "Set to Close" -msgstr "" +msgstr "Nastavit na uzavřené" #. module: account_asset #: model:ir.actions.wizard,name:account_asset.wizard_asset_compute @@ -380,12 +388,12 @@ msgstr "Upravit majetek" #. module: account_asset #: view:account.asset.asset:0 msgid "Assets in closed state" -msgstr "" +msgstr "Majetek v uzavřeném stavu" #. module: account_asset #: field:account.asset.asset,parent_id:0 msgid "Parent Asset" -msgstr "" +msgstr "Nadřazený majetek" #. module: account_asset #: view:account.asset.history:0 @@ -396,7 +404,7 @@ msgstr "Historie majetku" #. module: account_asset #: view:asset.asset.report:0 msgid "Assets purchased in current year" -msgstr "" +msgstr "Majetky zakoupené v tomto roce" #. module: account_asset #: field:account.asset.asset,state:0 @@ -407,34 +415,34 @@ msgstr "Stav" #. module: account_asset #: model:ir.model,name:account_asset.model_account_invoice_line msgid "Invoice Line" -msgstr "" +msgstr "Řádek faktury" #. module: account_asset #: view:asset.asset.report:0 msgid "Month" -msgstr "" +msgstr "Měsíc" #. module: account_asset #: view:account.asset.asset:0 msgid "Depreciation Board" -msgstr "" +msgstr "Odpisová tabule" #. module: account_asset #: model:ir.model,name:account_asset.model_account_move_line msgid "Journal Items" -msgstr "" +msgstr "Položky deníku" #. module: account_asset #: field:asset.asset.report,unposted_value:0 msgid "Unposted Amount" -msgstr "" +msgstr "Nezaúčtovaná částka" #. module: account_asset #: field:account.asset.asset,method_time:0 #: field:account.asset.category,method_time:0 #: field:account.asset.history,method_time:0 msgid "Time Method" -msgstr "" +msgstr "Časová metoda" #. module: account_asset #: constraint:account.move.line:0 @@ -442,16 +450,17 @@ msgid "" "The selected account of your Journal Entry must receive a value in its " "secondary currency" msgstr "" +"Vybraný účet vaší položky deníku musí obdržet hodnotu ve své druhořadé měně" #. module: account_asset #: view:account.asset.category:0 msgid "Analytic information" -msgstr "" +msgstr "Analytické informace" #. module: account_asset #: view:asset.modify:0 msgid "Asset durations to modify" -msgstr "" +msgstr "Úprava trvání majetku" #. module: account_asset #: field:account.asset.asset,note:0 @@ -468,6 +477,9 @@ msgid "" " * Linear: Calculated on basis of: Gross Value / Number of Depreciations\n" " * Degressive: Calculated on basis of: Remaining Value * Degressive Factor" msgstr "" +"Vyberte metodu pro použití pro spočítání částky odpisových řádků.\n" +" * Lineární: Vypočteno na základě: Hrubé hodnoty / Počet odpisů\n" +" * Klesající: Vypočteno na základě: Zbytkové hodnoty * Činitel poklesu" #. module: account_asset #: help:account.asset.asset,method_time:0 @@ -480,16 +492,19 @@ msgid "" " * Ending Date: Choose the time between 2 depreciations and the date the " "depreciations won't go beyond." msgstr "" +"Vyberte metodu pro použití pro výpočet datumů a počtu odpisových řádků.\n" +" * Počet odpisů: Pevné číslo počtu odpisových řádků a čas mezi 2 odpisy.\n" +" * Konečný datum: Vybere čas mezi 2 odpisy a datum odpis nemůže jít přes." #. module: account_asset #: view:asset.asset.report:0 msgid "Assets in running state" -msgstr "" +msgstr "Majetek ve stavu běžící" #. module: account_asset #: view:account.asset.asset:0 msgid "Closed" -msgstr "" +msgstr "Zavřený" #. module: account_asset #: field:account.asset.asset,partner_id:0 @@ -501,22 +516,22 @@ msgstr "Společník" #: view:asset.asset.report:0 #: field:asset.asset.report,depreciation_value:0 msgid "Amount of Depreciation Lines" -msgstr "" +msgstr "Částka odpisových řádků" #. module: account_asset #: view:asset.asset.report:0 msgid "Posted depreciation lines" -msgstr "" +msgstr "Zaúčtované řádky odpisů" #. module: account_asset #: field:account.asset.asset,child_ids:0 msgid "Children Assets" -msgstr "" +msgstr "Podřízené majetky" #. module: account_asset #: view:asset.asset.report:0 msgid "Date of depreciation" -msgstr "" +msgstr "Datum odpisu" #. module: account_asset #: field:account.asset.history,user_id:0 @@ -531,38 +546,38 @@ msgstr "Datum" #. module: account_asset #: view:asset.asset.report:0 msgid "Assets purchased in current month" -msgstr "" +msgstr "Majetek zakoupený v tomto měsíci" #. module: account_asset #: view:asset.asset.report:0 msgid "Extended Filters..." -msgstr "" +msgstr "Rozšířené filtry..." #. module: account_asset #: constraint:account.move.line:0 msgid "Company must be same for its related account and period." -msgstr "" +msgstr "Společnost musí být stejná pro její vztažené účty a období." #. module: account_asset #: view:account.asset.asset:0 #: view:asset.depreciation.confirmation.wizard:0 msgid "Compute" -msgstr "" +msgstr "Spočítat" #. module: account_asset #: view:account.asset.category:0 msgid "Search Asset Category" -msgstr "" +msgstr "Hledat kategorii majetku" #. module: account_asset #: constraint:account.move.line:0 msgid "The date of your Journal Entry is not in the defined period!" -msgstr "" +msgstr "Datum vaší položky deníku není v zadaném období!" #. module: account_asset #: model:ir.model,name:account_asset.model_asset_depreciation_confirmation_wizard msgid "asset.depreciation.confirmation.wizard" -msgstr "" +msgstr "asset.depreciation.confirmation.wizard" #. module: account_asset #: field:account.asset.asset,active:0 @@ -577,12 +592,12 @@ msgstr "Uzavřít majetek" #. module: account_asset #: field:account.asset.depreciation.line,parent_state:0 msgid "State of Asset" -msgstr "" +msgstr "Stav majetku" #. module: account_asset #: field:account.asset.depreciation.line,name:0 msgid "Depreciation Name" -msgstr "" +msgstr "Jméno odpisu" #. module: account_asset #: view:account.asset.asset:0 @@ -593,7 +608,7 @@ msgstr "Historie" #. module: account_asset #: sql_constraint:account.invoice:0 msgid "Invoice Number must be unique per Company!" -msgstr "" +msgstr "Číslo dokladu musí být jedinečné na společnost!" #. module: account_asset #: field:asset.depreciation.confirmation.wizard,period_id:0 @@ -603,28 +618,28 @@ msgstr "Období" #. module: account_asset #: view:account.asset.asset:0 msgid "General" -msgstr "" +msgstr "Obecné" #. module: account_asset #: field:account.asset.asset,prorata:0 #: field:account.asset.category,prorata:0 msgid "Prorata Temporis" -msgstr "" +msgstr "Prorata Temporis" #. module: account_asset #: view:account.asset.category:0 msgid "Accounting information" -msgstr "" +msgstr "Účetní informace" #. module: account_asset #: model:ir.model,name:account_asset.model_account_invoice msgid "Invoice" -msgstr "" +msgstr "Faktura" #. module: account_asset #: model:ir.actions.act_window,name:account_asset.action_account_asset_asset_form_normal msgid "Review Asset Categories" -msgstr "" +msgstr "Přezkoumat kategorie majetku" #. module: account_asset #: view:asset.depreciation.confirmation.wizard:0 @@ -642,20 +657,20 @@ msgstr "Zavřít" #: view:account.asset.asset:0 #: view:account.asset.category:0 msgid "Depreciation Method" -msgstr "" +msgstr "Odpisová metoda" #. module: account_asset #: field:account.asset.asset,purchase_date:0 #: view:asset.asset.report:0 #: field:asset.asset.report,purchase_date:0 msgid "Purchase Date" -msgstr "" +msgstr "Datum zakoupení" #. module: account_asset #: selection:account.asset.asset,method:0 #: selection:account.asset.category,method:0 msgid "Degressive" -msgstr "" +msgstr "Klesající" #. module: account_asset #: help:asset.depreciation.confirmation.wizard,period_id:0 @@ -663,33 +678,35 @@ msgid "" "Choose the period for which you want to automatically post the depreciation " "lines of running assets" msgstr "" +"Vyberte období, pro které chcete automaticky zaúčtovat odpisové řádky " +"běžících majetků." #. module: account_asset #: view:account.asset.asset:0 msgid "Current" -msgstr "" +msgstr "Aktuální" #. module: account_asset #: field:account.asset.depreciation.line,remaining_value:0 msgid "Amount to Depreciate" -msgstr "" +msgstr "Částka k odepsání" #. module: account_asset #: field:account.asset.category,open_asset:0 msgid "Skip Draft State" -msgstr "" +msgstr "Přeskočit stav koncept" #. module: account_asset #: view:account.asset.asset:0 #: view:account.asset.category:0 #: view:account.asset.history:0 msgid "Depreciation Dates" -msgstr "" +msgstr "Datumy odpisů" #. module: account_asset #: field:account.asset.asset,currency_id:0 msgid "Currency" -msgstr "" +msgstr "Měna" #. module: account_asset #: field:account.asset.category,journal_id:0 @@ -699,14 +716,14 @@ msgstr "Deník" #. module: account_asset #: field:account.asset.depreciation.line,depreciated_value:0 msgid "Amount Already Depreciated" -msgstr "" +msgstr "Již odepsaná částka" #. module: account_asset #: field:account.asset.depreciation.line,move_check:0 #: view:asset.asset.report:0 #: field:asset.asset.report,move_check:0 msgid "Posted" -msgstr "" +msgstr "Zaúčtováno" #. module: account_asset #: help:account.asset.asset,state:0 @@ -717,11 +734,17 @@ msgid "" "You can manually close an asset when the depreciation is over. If the last " "line of depreciation is posted, the asset automatically goes in that state." msgstr "" +"Když je majetek vytvořen, stav je 'Koncept'.\n" +"Pokud je majetek potvrzen, stav přechází na 'Běžící' a odpisové řádky mohou " +"být zaúčtovány v účetnictví.\n" +"Můžete ručně uzavřit majetek, pokud je odpisování dokončeno. Pokud je " +"poslední řádek odpisu zaúčtovaný, majetek automaticky přechází do tohoto " +"stavu." #. module: account_asset #: field:account.asset.category,name:0 msgid "Name" -msgstr "" +msgstr "Název" #. module: account_asset #: help:account.asset.category,open_asset:0 @@ -729,11 +752,13 @@ msgid "" "Check this if you want to automatically confirm the assets of this category " "when created by invoices." msgstr "" +"Zaškrtněte toto, pokud chcete automaticky potvrdit majetky pro tutu " +"kategorii, když jsou vytvořeny pomocí dokladů." #. module: account_asset #: view:account.asset.asset:0 msgid "Set to Draft" -msgstr "" +msgstr "Nastavit na koncept" #. module: account_asset #: selection:account.asset.asset,method:0 @@ -744,12 +769,12 @@ msgstr "Lineární" #. module: account_asset #: view:asset.asset.report:0 msgid "Month-1" -msgstr "" +msgstr "Měsíc -1" #. module: account_asset #: model:ir.model,name:account_asset.model_account_asset_depreciation_line msgid "Asset depreciation line" -msgstr "" +msgstr "Odpisový řádek majetku" #. module: account_asset #: field:account.asset.asset,category_id:0 @@ -762,13 +787,13 @@ msgstr "Kategorie majetku" #. module: account_asset #: view:asset.asset.report:0 msgid "Assets purchased in last month" -msgstr "" +msgstr "Majetek zakoupený v minulém měsíci" #. module: account_asset #: code:addons/account_asset/wizard/wizard_asset_compute.py:49 #, python-format msgid "Created Asset Moves" -msgstr "" +msgstr "Vytvořit pohyby majetku" #. module: account_asset #: model:ir.actions.act_window,help:account_asset.action_asset_asset_report @@ -777,11 +802,14 @@ msgid "" "search can also be used to personalise your Assets reports and so, match " "this analysis to your needs;" msgstr "" +"Z tohoto výkazu můžete mít přehled nad všemi odpisy. Nástroj hledání může " +"být také použit pro přizpůsobení vašich výkazů majetku a tak odpovídat této " +"analýze podle vašich potřeb;" #. module: account_asset #: help:account.asset.category,method_period:0 msgid "State here the time between 2 depreciations, in months" -msgstr "" +msgstr "Zde zjistěte čas mezi dvěma odpisy v měsíci" #. module: account_asset #: field:account.asset.asset,method_number:0 @@ -792,22 +820,22 @@ msgstr "" #: selection:account.asset.history,method_time:0 #: field:asset.modify,method_number:0 msgid "Number of Depreciations" -msgstr "" +msgstr "Počet odpisů" #. module: account_asset #: view:account.asset.asset:0 msgid "Create Move" -msgstr "" +msgstr "Vytvořit pohyb" #. module: account_asset #: view:asset.depreciation.confirmation.wizard:0 msgid "Post Depreciation Lines" -msgstr "" +msgstr "Zaúčtovat odpisové řádky" #. module: account_asset #: view:account.asset.asset:0 msgid "Confirm Asset" -msgstr "" +msgstr "Potvrdit majetek" #. module: account_asset #: model:ir.actions.act_window,name:account_asset.action_account_asset_asset_tree @@ -818,7 +846,7 @@ msgstr "Hierarchie majetku" #. module: account_asset #: constraint:account.move.line:0 msgid "You can not create move line on view account." -msgstr "" +msgstr "Nemůžete vytvořit řádek pohybu ve zobrazení účtu." #~ msgid "Open Assets" #~ msgstr "Otevřít majetky" diff --git a/addons/account_budget/i18n/tr.po b/addons/account_budget/i18n/tr.po index d7c7490475f..2106fc3fcd7 100644 --- a/addons/account_budget/i18n/tr.po +++ b/addons/account_budget/i18n/tr.po @@ -13,7 +13,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: account_budget diff --git a/addons/account_cancel/i18n/tr.po b/addons/account_cancel/i18n/tr.po index 9fcd4a2ae6f..d1ea35e4c06 100644 --- a/addons/account_cancel/i18n/tr.po +++ b/addons/account_cancel/i18n/tr.po @@ -14,7 +14,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: account_cancel diff --git a/addons/analytic_user_function/i18n/tr.po b/addons/analytic_user_function/i18n/tr.po index 56db6bba5d6..a0bd3bb63bd 100644 --- a/addons/analytic_user_function/i18n/tr.po +++ b/addons/analytic_user_function/i18n/tr.po @@ -13,7 +13,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: analytic_user_function diff --git a/addons/anonymization/i18n/tr.po b/addons/anonymization/i18n/tr.po index 9db08f8eebc..2abb990bc87 100644 --- a/addons/anonymization/i18n/tr.po +++ b/addons/anonymization/i18n/tr.po @@ -14,7 +14,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: anonymization diff --git a/addons/base_iban/i18n/tr.po b/addons/base_iban/i18n/tr.po index 87df0772231..e3555b32ba8 100644 --- a/addons/base_iban/i18n/tr.po +++ b/addons/base_iban/i18n/tr.po @@ -13,7 +13,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: base_iban diff --git a/addons/base_report_creator/i18n/tr.po b/addons/base_report_creator/i18n/tr.po index 55404c3e707..46162206c04 100644 --- a/addons/base_report_creator/i18n/tr.po +++ b/addons/base_report_creator/i18n/tr.po @@ -13,7 +13,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: base_report_creator diff --git a/addons/base_synchro/i18n/tr.po b/addons/base_synchro/i18n/tr.po index 0487c84ebbf..9cc33523da9 100644 --- a/addons/base_synchro/i18n/tr.po +++ b/addons/base_synchro/i18n/tr.po @@ -14,7 +14,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: base_synchro diff --git a/addons/document/i18n/zh_CN.po b/addons/document/i18n/zh_CN.po index 32267e3adbd..ca50011696e 100644 --- a/addons/document/i18n/zh_CN.po +++ b/addons/document/i18n/zh_CN.po @@ -7,14 +7,14 @@ msgstr "" "Project-Id-Version: OpenERP Server 6.0dev\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-22 18:44+0000\n" -"PO-Revision-Date: 2010-12-21 14:29+0000\n" +"PO-Revision-Date: 2012-01-12 04:38+0000\n" "Last-Translator: Wei \"oldrev\" Li \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-12-23 07:11+0000\n" -"X-Generator: Launchpad (build 14560)\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" #. module: document #: field:document.directory,parent_id:0 @@ -35,7 +35,7 @@ msgstr "名称字段" #. module: document #: view:board.board:0 msgid "Document board" -msgstr "文档控制台" +msgstr "文档仪表盘" #. module: document #: model:ir.model,name:document.model_process_node @@ -343,7 +343,7 @@ msgstr "7月" #: model:ir.actions.act_window,name:document.open_board_document_manager #: model:ir.ui.menu,name:document.menu_reports_document_manager msgid "Document Dashboard" -msgstr "文档控制台" +msgstr "文档仪表盘" #. module: document #: field:document.directory.content.type,code:0 @@ -646,7 +646,7 @@ msgstr "附属于" #. module: document #: model:ir.ui.menu,name:document.menu_reports_document msgid "Dashboard" -msgstr "控制台" +msgstr "仪表盘" #. module: document #: model:ir.actions.act_window,name:document.action_view_user_graph diff --git a/addons/outlook/i18n/ro.po b/addons/outlook/i18n/ro.po new file mode 100644 index 00000000000..005806c2989 --- /dev/null +++ b/addons/outlook/i18n/ro.po @@ -0,0 +1,159 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-11 14:01+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: outlook +#: field:outlook.installer,doc_file:0 +msgid "Installation Manual" +msgstr "Manual de instalare" + +#. module: outlook +#: field:outlook.installer,description:0 +msgid "Description" +msgstr "Descriere" + +#. module: outlook +#: field:outlook.installer,plugin_file:0 +msgid "Outlook Plug-in" +msgstr "Plug-in (aplicatie extensie) Outlook" + +#. module: outlook +#: model:ir.actions.act_window,name:outlook.action_outlook_installer +#: model:ir.actions.act_window,name:outlook.action_outlook_wizard +#: model:ir.ui.menu,name:outlook.menu_base_config_plugins_outlook +#: view:outlook.installer:0 +msgid "Install Outlook Plug-In" +msgstr "" + +#. module: outlook +#: view:outlook.installer:0 +msgid "" +"This plug-in allows you to create new contact or link contact to an existing " +"partner. \n" +"Also allows to link your e-mail to OpenERP's documents. \n" +"You can attach it to any existing one in OpenERP or create a new one." +msgstr "" + +#. module: outlook +#: field:outlook.installer,config_logo:0 +msgid "Image" +msgstr "Imagine" + +#. module: outlook +#: field:outlook.installer,outlook:0 +msgid "Outlook Plug-in " +msgstr "Aplicatia Outlook " + +#. module: outlook +#: model:ir.model,name:outlook.model_outlook_installer +msgid "outlook.installer" +msgstr "outlook.installer" + +#. module: outlook +#: help:outlook.installer,doc_file:0 +msgid "The documentation file :- how to install Outlook Plug-in." +msgstr "Fisierul documentatiei :- cum să instalati Aplicatia Outlook" + +#. module: outlook +#: help:outlook.installer,outlook:0 +msgid "" +"Allows you to select an object that you would like to add to your email and " +"its attachments." +msgstr "" +"Vă permite să selectati un obiect pe care doriti să il atasati la e-mail si " +"atasamentele lui." + +#. module: outlook +#: view:outlook.installer:0 +msgid "title" +msgstr "titlu" + +#. module: outlook +#: view:outlook.installer:0 +msgid "Installation and Configuration Steps" +msgstr "Pașii de instalare și configurare" + +#. module: outlook +#: field:outlook.installer,doc_name:0 +#: field:outlook.installer,name:0 +msgid "File name" +msgstr "Numele fişierului" + +#. module: outlook +#: help:outlook.installer,plugin_file:0 +msgid "" +"outlook plug-in file. Save as this file and install this plug-in in outlook." +msgstr "" +"fisier aplicatie outlook. Salvati ca acest fisier si instalati aplicatia in " +"outlook." + +#. module: outlook +#: view:outlook.installer:0 +msgid "_Close" +msgstr "_Închide" + +#~ msgid "Skip" +#~ msgstr "Omite" + +#~ msgid "" +#~ "\n" +#~ " This module provide the Outlook plug-in. \n" +#~ "\n" +#~ " Outlook plug-in allows you to select an object that you’d like to add\n" +#~ " to your email and its attachments from MS Outlook. You can select a " +#~ "partner, a task,\n" +#~ " a project, an analytical account, or any other object and Archived " +#~ "selected\n" +#~ " mail in mailgate.messages with attachments.\n" +#~ "\n" +#~ " " +#~ msgstr "" +#~ "\n" +#~ " Acest modul furnizează extensia Outlook. \n" +#~ "\n" +#~ " Extensia Outlook vă permite să selectati un obiect pe care doriti să " +#~ "il adăugati\n" +#~ " la email-ul dumneavoastră si atasamentele acestuia din MS Outlook. " +#~ "Puteti selecta un partener, o sarcină,\n" +#~ " un proiect, un cont analitic, sau orice alt obiect si email-urile\n" +#~ " arhivate selectate in mailgate.mesaje cu atasamente.\n" +#~ "\n" +#~ " " + +#~ msgid "Outlook Interface" +#~ msgstr "Interfata Outlook" + +#~ msgid "Outlook Plug-In" +#~ msgstr "Aplicatia Outlook" + +#~ msgid "Configuration Progress" +#~ msgstr "Progres configurare" + +#~ msgid "Outlook Plug-In Configuration" +#~ msgstr "Configurarea Aplicatiei Outlook" + +#~ msgid "" +#~ "This plug-in allows you to link your e-mail to OpenERP's documents. You can " +#~ "attach it to any existing one in OpenERP or create a new one." +#~ msgstr "" +#~ "Această extensie vă permite să vă conectati e-mail-urile la documentele " +#~ "OpenERP. Puteti să le atasati de orice document existent in OpenERP sau să " +#~ "creati unul nou." + +#~ msgid "Configure" +#~ msgstr "Configurează" diff --git a/addons/pad/i18n/ro.po b/addons/pad/i18n/ro.po new file mode 100644 index 00000000000..8038265ef5a --- /dev/null +++ b/addons/pad/i18n/ro.po @@ -0,0 +1,89 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-11 14:36+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: pad +#: sql_constraint:res.company:0 +msgid "The company name must be unique !" +msgstr "" + +#. module: pad +#: help:res.company,pad_url_template:0 +msgid "Template used to generate pad URL." +msgstr "" + +#. module: pad +#: model:ir.model,name:pad.model_res_company +msgid "Companies" +msgstr "Companii" + +#. module: pad +#: constraint:res.company:0 +msgid "Error! You can not create recursive companies." +msgstr "Eroare! Nu puteti crea companii recursive." + +#. module: pad +#: model:ir.model,name:pad.model_ir_attachment +msgid "ir.attachment" +msgstr "" + +#. module: pad +#: view:res.company:0 +msgid "Pad" +msgstr "Pad" + +#. module: pad +#: field:res.company,pad_url_template:0 +msgid "Pad URL Template" +msgstr "" + +#, python-format +#~ msgid "Ok" +#~ msgstr "Ok" + +#~ msgid "Enhanced support for (Ether)Pad attachments" +#~ msgstr "Suport mărit pentru atasamentele (Ether)Pad" + +#, python-format +#~ msgid "Write" +#~ msgstr "Scrie" + +#~ msgid "The root URL of the company's pad instance" +#~ msgstr "URL rădăcină al instantei pad a companiei" + +#~ msgid "" +#~ "\n" +#~ "Adds enhanced support for (Ether)Pad attachments in the web client, lets " +#~ "the\n" +#~ "company customize which Pad installation should be used to link to new pads\n" +#~ "(by default, pad.openerp.com)\n" +#~ " " +#~ msgstr "" +#~ "\n" +#~ "Adaugă suport mărit pentru atasamentele (Ether)Pad in clientul web, permite\n" +#~ "companiei să personalizeze care instalare Pad ar trebui folosită pentru a se " +#~ "conecta\n" +#~ "la pad-uri noi (implicit, pad.openerp.com)\n" +#~ " " + +#, python-format +#~ msgid "Name" +#~ msgstr "Nume" + +#~ msgid "Pad root URL" +#~ msgstr "URL rădăcină pad" diff --git a/addons/pad/i18n/tr.po b/addons/pad/i18n/tr.po index 2e4608e2c75..0e6015bb8a6 100644 --- a/addons/pad/i18n/tr.po +++ b/addons/pad/i18n/tr.po @@ -14,7 +14,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: pad diff --git a/addons/product_manufacturer/i18n/ro.po b/addons/product_manufacturer/i18n/ro.po new file mode 100644 index 00000000000..c34c0e6a299 --- /dev/null +++ b/addons/product_manufacturer/i18n/ro.po @@ -0,0 +1,84 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-11 19:30+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: product_manufacturer +#: field:product.product,manufacturer_pref:0 +msgid "Manufacturer Product Code" +msgstr "Codul Producătorului Produsului" + +#. module: product_manufacturer +#: model:ir.model,name:product_manufacturer.model_product_product +#: field:product.manufacturer.attribute,product_id:0 +msgid "Product" +msgstr "Produs" + +#. module: product_manufacturer +#: view:product.manufacturer.attribute:0 +msgid "Product Template Name" +msgstr "Nume Sablon Produs" + +#. module: product_manufacturer +#: model:ir.model,name:product_manufacturer.model_product_manufacturer_attribute +msgid "Product attributes" +msgstr "Atribute produs" + +#. module: product_manufacturer +#: view:product.manufacturer.attribute:0 +#: view:product.product:0 +msgid "Product Attributes" +msgstr "Atribute Produs" + +#. module: product_manufacturer +#: field:product.manufacturer.attribute,name:0 +msgid "Attribute" +msgstr "Atribut (caracteristică)" + +#. module: product_manufacturer +#: field:product.manufacturer.attribute,value:0 +msgid "Value" +msgstr "Valoare" + +#. module: product_manufacturer +#: constraint:product.product:0 +msgid "Error: Invalid ean code" +msgstr "Eroare: cod ean invalid" + +#. module: product_manufacturer +#: view:product.product:0 +#: field:product.product,attribute_ids:0 +msgid "Attributes" +msgstr "Atribute" + +#. module: product_manufacturer +#: field:product.product,manufacturer_pname:0 +msgid "Manufacturer Product Name" +msgstr "Numele Producătorului Produsului" + +#. module: product_manufacturer +#: view:product.product:0 +#: field:product.product,manufacturer:0 +msgid "Manufacturer" +msgstr "Producător" + +#~ msgid "A module that add manufacturers and attributes on the product form" +#~ msgstr "" +#~ "Un modul care adaugă producători si atribute in formularul produsului" + +#~ msgid "Products Attributes & Manufacturers" +#~ msgstr "Atribute Produse & Producători" diff --git a/addons/product_visible_discount/i18n/ro.po b/addons/product_visible_discount/i18n/ro.po new file mode 100644 index 00000000000..2a41d599406 --- /dev/null +++ b/addons/product_visible_discount/i18n/ro.po @@ -0,0 +1,92 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-11 19:55+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: product_visible_discount +#: code:addons/product_visible_discount/product_visible_discount.py:145 +#, python-format +msgid "No Purchase Pricelist Found !" +msgstr "Nu a fost găsită nici o Listă de preturi de achizitie !" + +#. module: product_visible_discount +#: code:addons/product_visible_discount/product_visible_discount.py:153 +#, python-format +msgid "No Sale Pricelist Found " +msgstr "Nu a fost găsită nici o Listă de preturi de vanzare " + +#. module: product_visible_discount +#: field:product.pricelist,visible_discount:0 +msgid "Visible Discount" +msgstr "Discount vizibil" + +#. module: product_visible_discount +#: model:ir.model,name:product_visible_discount.model_account_invoice_line +msgid "Invoice Line" +msgstr "Linie factură" + +#. module: product_visible_discount +#: code:addons/product_visible_discount/product_visible_discount.py:153 +#, python-format +msgid "You must first define a pricelist for Customer !" +msgstr "Mai intai trebuie să definiti o listă de preturi pentru Client !" + +#. module: product_visible_discount +#: model:ir.model,name:product_visible_discount.model_product_pricelist +msgid "Pricelist" +msgstr "Listă de prețuri" + +#. module: product_visible_discount +#: code:addons/product_visible_discount/product_visible_discount.py:145 +#, python-format +msgid "You must first define a pricelist for Supplier !" +msgstr "Mai intai trebuie să definiti o listă de preturi pentru Furnizor !" + +#. module: product_visible_discount +#: model:ir.model,name:product_visible_discount.model_sale_order_line +msgid "Sales Order Line" +msgstr "Linie comandă de vânzare" + +#~ msgid "" +#~ "\n" +#~ " This module lets you calculate discounts on Sale Order lines and Invoice " +#~ "lines base on the partner's pricelist.\n" +#~ " To this end, a new check box named \"Visible Discount\" is added to the " +#~ "pricelist form.\n" +#~ " Example:\n" +#~ " For the product PC1 and the partner \"Asustek\": if listprice=450, " +#~ "and the price calculated using Asustek's pricelist is 225\n" +#~ " If the check box is checked, we will have on the sale order line: " +#~ "Unit price=450, Discount=50,00, Net price=225\n" +#~ " If the check box is unchecked, we will have on Sale Order and " +#~ "Invoice lines: Unit price=225, Discount=0,00, Net price=225\n" +#~ " " +#~ msgstr "" +#~ "\n" +#~ " Acest modul vă permite să calculati reducerile in liniile Comenzii de " +#~ "vanzare si liniile Facturii pe baza listei de preturi a partenerului.\n" +#~ " In acest scop, in formularul listei de preturi este adăugată o nouă " +#~ "căsută numită \"Reducere vizibilă\".\n" +#~ " Exemplu:\n" +#~ " Pentru produsul PC1 si partenerul \"Asustek\": dacă pretul de " +#~ "listă=450, si pretul calculat folosind lista de preturi Asustek este 225\n" +#~ " Dacă căsuta de selectare este bifată, vom avea pe linia comenzii de " +#~ "vanzare: Pretul unitar=450, Discount=50,00, Pretul net=225\n" +#~ " Dacă căsuta de selectare nu este bifată, vom avea pe liniile " +#~ "Comenzii de vanzare si a Facturii: Pretul unitar=225, Discount=0.00, Pret " +#~ "net=225\n" +#~ " " diff --git a/addons/profile_tools/i18n/ro.po b/addons/profile_tools/i18n/ro.po new file mode 100644 index 00000000000..bf0d40c62be --- /dev/null +++ b/addons/profile_tools/i18n/ro.po @@ -0,0 +1,155 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-01-11 11:15+0000\n" +"PO-Revision-Date: 2012-01-11 21:57+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: profile_tools +#: help:misc_tools.installer,idea:0 +msgid "Promote ideas of the employees, votes and discussion on best ideas." +msgstr "" +"Incurajează ideile angajatilor, voturi si discutii pe baza celor mai bune " +"idei." + +#. module: profile_tools +#: help:misc_tools.installer,share:0 +msgid "" +"Allows you to give restricted access to your OpenERP documents to external " +"users, such as customers, suppliers, or accountants. You can share any " +"OpenERP Menu such as your project tasks, support requests, invoices, etc." +msgstr "" +"Vă permite să acordati acces restrictionat utilizatorilor externi la " +"documentele dumneavoastră OpenERP, cum ar fi clienti, furnizori, sau " +"contabili. Puteti impărtăsi orice meniu OpenERP, precum sarcini de proiecte, " +"cereri de asistentă tehnică, facturi, etc." + +#. module: profile_tools +#: help:misc_tools.installer,lunch:0 +msgid "A simple module to help you to manage Lunch orders." +msgstr "Un modul simplu care să vă ajute la gestionarea comenzilor de pranz." + +#. module: profile_tools +#: field:misc_tools.installer,subscription:0 +msgid "Recurring Documents" +msgstr "Documente recurente" + +#. module: profile_tools +#: model:ir.model,name:profile_tools.model_misc_tools_installer +msgid "misc_tools.installer" +msgstr "misc_tools.installer (program de instalare.unelte_diverse)" + +#. module: profile_tools +#: model:ir.module.module,description:profile_tools.module_meta_information +msgid "" +"Installs tools for lunch,survey,subscription and audittrail\n" +" module\n" +" " +msgstr "" +"Instalează unelte pentru modulul pranz, sondaj, abonament si pistă de audit\n" +" " + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "" +"Extra Tools are applications that can help you improve your organization " +"although they are not key for company management." +msgstr "" +"Extra Tools (Unelte suplimentare) sunt aplicatii care vă pot ajuta să vă " +"imbunătătiti organizarea, desi ele nu sunt foarte importante pentru " +"managementul companiei." + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "Configure" +msgstr "Configurează" + +#. module: profile_tools +#: help:misc_tools.installer,survey:0 +msgid "Allows you to organize surveys." +msgstr "Vă permite să organizati sondaje." + +#. module: profile_tools +#: model:ir.module.module,shortdesc:profile_tools.module_meta_information +msgid "Miscellaneous Tools" +msgstr "Unelte diverse" + +#. module: profile_tools +#: help:misc_tools.installer,pad:0 +msgid "" +"This module creates a tighter integration between a Pad instance of your " +"choosing and your OpenERP Web Client by letting you easily link pads to " +"OpenERP objects via OpenERP attachments." +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,lunch:0 +msgid "Lunch" +msgstr "" + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "Extra Tools Configuration" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,idea:0 +msgid "Ideas Box" +msgstr "" + +#. module: profile_tools +#: help:misc_tools.installer,subscription:0 +msgid "Helps to generate automatically recurring documents." +msgstr "" + +#. module: profile_tools +#: model:ir.actions.act_window,name:profile_tools.action_misc_tools_installer +msgid "Tools Configuration" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,pad:0 +msgid "Collaborative Note Pads" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,survey:0 +msgid "Survey" +msgstr "" + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "Configure Extra Tools" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,progress:0 +msgid "Configuration Progress" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,config_logo:0 +msgid "Image" +msgstr "" + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "title" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,share:0 +msgid "Web Share" +msgstr "" diff --git a/addons/purchase_double_validation/i18n/ro.po b/addons/purchase_double_validation/i18n/ro.po new file mode 100644 index 00000000000..b0e122a8c54 --- /dev/null +++ b/addons/purchase_double_validation/i18n/ro.po @@ -0,0 +1,89 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-11 19:24+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: purchase_double_validation +#: view:purchase.double.validation.installer:0 +msgid "Purchase Application Configuration" +msgstr "Configurarea Aplicatiei de Achizitionare" + +#. module: purchase_double_validation +#: view:purchase.double.validation.installer:0 +msgid "Define minimum amount after which puchase is needed to be validated." +msgstr "Defineste suma minimă, după care este necesară validarea achizitiei." + +#. module: purchase_double_validation +#: view:purchase.double.validation.installer:0 +msgid "title" +msgstr "titlu" + +#. module: purchase_double_validation +#: field:purchase.double.validation.installer,config_logo:0 +msgid "Image" +msgstr "Imagine" + +#. module: purchase_double_validation +#: model:ir.actions.act_window,name:purchase_double_validation.action_config_purchase_limit_amount +#: view:purchase.double.validation.installer:0 +msgid "Configure Limit Amount for Purchase" +msgstr "Configurează Suma limită pentru Achizitie" + +#. module: purchase_double_validation +#: view:board.board:0 +#: model:ir.actions.act_window,name:purchase_double_validation.purchase_waiting +msgid "Purchase Order Waiting Approval" +msgstr "" + +#. module: purchase_double_validation +#: view:purchase.double.validation.installer:0 +msgid "res_config_contents" +msgstr "res_config_contents" + +#. module: purchase_double_validation +#: help:purchase.double.validation.installer,limit_amount:0 +msgid "Maximum amount after which validation of purchase is required." +msgstr "Suma maximă care necesită validarea achizitiei." + +#. module: purchase_double_validation +#: model:ir.model,name:purchase_double_validation.model_purchase_double_validation_installer +msgid "purchase.double.validation.installer" +msgstr "" +"purchase.double.validation.installer(programul de instalare_validare_dublă_a " +"achizitiei)" + +#. module: purchase_double_validation +#: field:purchase.double.validation.installer,limit_amount:0 +msgid "Maximum Purchase Amount" +msgstr "Suma maximă Achizitie" + +#~ msgid "purchase_double_validation" +#~ msgstr "purchase_double_validation (dublă_validare_achizitie)" + +#~ msgid "Configuration Progress" +#~ msgstr "Progres configurare" + +#~ msgid "" +#~ "\n" +#~ "\tThis module modifies the purchase workflow in order to validate purchases " +#~ "that exceeds minimum amount set by configuration wizard\n" +#~ " " +#~ msgstr "" +#~ "\n" +#~ "\tAcest modul modifică fluxul achizitiei pentru a valida achizitiile care " +#~ "depăsesc suma minimă setată de wizard-ul configurare.\n" +#~ " " diff --git a/addons/report_webkit_sample/i18n/ro.po b/addons/report_webkit_sample/i18n/ro.po new file mode 100644 index 00000000000..292640fab07 --- /dev/null +++ b/addons/report_webkit_sample/i18n/ro.po @@ -0,0 +1,149 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-11 19:05+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:37 +msgid "Refund" +msgstr "Rambursare" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:22 +msgid "Fax" +msgstr "Fax" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Disc.(%)" +msgstr "Discount (%)" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:19 +msgid "Tel" +msgstr "Tel" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Description" +msgstr "Descriere" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:35 +msgid "Supplier Invoice" +msgstr "Factură furnizor" + +#. module: report_webkit_sample +#: model:ir.actions.report.xml,name:report_webkit_sample.report_webkit_html +msgid "WebKit invoice" +msgstr "Factură WebKit" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Price" +msgstr "Preț" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:44 +msgid "Invoice Date" +msgstr "Data facturii" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Taxes" +msgstr "Taxe" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "QTY" +msgstr "Cantitate" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:25 +msgid "E-mail" +msgstr "E-mail" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:64 +msgid "Amount" +msgstr "Sumă" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:64 +msgid "Base" +msgstr "Bază" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:33 +msgid "Invoice" +msgstr "Factură" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:39 +msgid "Supplier Refund" +msgstr "Restituire furnizor" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:44 +msgid "Document" +msgstr "Document" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Unit Price" +msgstr "Preţ unitar" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:44 +msgid "Partner Ref." +msgstr "Ref. partener" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:28 +msgid "VAT" +msgstr "TVA" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:76 +msgid "Total" +msgstr "Total" + +#~ msgid "" +#~ "Samples for Webkit Report Engine (report_webkit module).\n" +#~ "\n" +#~ " A sample invoice report is included in this module, as well as a wizard " +#~ "to\n" +#~ " add Webkit Report entries on any Document in the system.\n" +#~ " \n" +#~ " You have to create the print buttons by calling the wizard. For more " +#~ "details see:\n" +#~ " http://files.me.com/nbessi/06n92k.mov \n" +#~ " " +#~ msgstr "" +#~ "Mostre pentru Raportul motorului WebKit (raport_modul webkit).\n" +#~ "\n" +#~ " Un raport al facturii mostră este inclus in acest modul, precum si un " +#~ "wizard pentru\n" +#~ " a adăuga inregistrările Raportului Webkit in orice document din sistem.\n" +#~ " \n" +#~ " Trebuie să creati butoanele de tipărire folosind wizard-ul. Pentru mai " +#~ "multe detalii vedeti:\n" +#~ " http://files.me.com/nbessi/06n92k.mov \n" +#~ " " + +#~ msgid "Webkit Report Samples" +#~ msgstr "Mostre Raport Webkit" diff --git a/addons/sale/i18n/ar.po b/addons/sale/i18n/ar.po index c7bfa423c6c..d6f79b74757 100644 --- a/addons/sale/i18n/ar.po +++ b/addons/sale/i18n/ar.po @@ -7,13 +7,13 @@ msgstr "" "Project-Id-Version: OpenERP Server 6.0dev\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-22 18:43+0000\n" -"PO-Revision-Date: 2012-01-09 21:43+0000\n" -"Last-Translator: kifcaliph \n" +"PO-Revision-Date: 2012-01-11 21:18+0000\n" +"Last-Translator: Hsn \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-10 05:22+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: sale @@ -32,7 +32,7 @@ msgstr "" #: view:board.board:0 #: model:ir.actions.act_window,name:sale.action_sales_by_salesman msgid "Sales by Salesman in last 90 days" -msgstr "مبيعات مندوب المبيعات آخر 90 يوماً" +msgstr "مبيعات بواسطة مندوب المبيعات فى آخر 90 يوماً" #. module: sale #: help:sale.order,picking_policy:0 @@ -654,7 +654,7 @@ msgstr "سطر أمر المبيعات" #. module: sale #: field:sale.shop,warehouse_id:0 msgid "Warehouse" -msgstr "المستودع" +msgstr "المخزن" #. module: sale #: report:sale.order:0 diff --git a/addons/sale/i18n/zh_CN.po b/addons/sale/i18n/zh_CN.po index cbb77135e1d..640863cce6d 100644 --- a/addons/sale/i18n/zh_CN.po +++ b/addons/sale/i18n/zh_CN.po @@ -7,14 +7,14 @@ msgstr "" "Project-Id-Version: OpenERP Server 6.0dev\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-22 18:43+0000\n" -"PO-Revision-Date: 2011-01-28 02:08+0000\n" -"Last-Translator: Wei \"oldrev\" Li \n" +"PO-Revision-Date: 2012-01-12 05:29+0000\n" +"Last-Translator: shjerryzhou \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-12-23 06:47+0000\n" -"X-Generator: Launchpad (build 14560)\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" #. module: sale #: field:sale.config.picking_policy,timesheet:0 @@ -282,7 +282,7 @@ msgstr "我的报价单" #: model:ir.actions.act_window,name:sale.open_board_sales_manager #: model:ir.ui.menu,name:sale.menu_board_sales_manager msgid "Sales Manager Dashboard" -msgstr "销售经理控制台" +msgstr "销售经理仪表盘" #. module: sale #: field:sale.order.line,product_packaging:0 diff --git a/addons/sale_layout/i18n/ar.po b/addons/sale_layout/i18n/ar.po new file mode 100644 index 00000000000..e609d283d30 --- /dev/null +++ b/addons/sale_layout/i18n/ar.po @@ -0,0 +1,263 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-11 19:26+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: sale_layout +#: sql_constraint:sale.order:0 +msgid "Order Reference must be unique per Company!" +msgstr "" + +#. module: sale_layout +#: selection:sale.order.line,layout_type:0 +msgid "Sub Total" +msgstr "الفرعي" + +#. module: sale_layout +#: selection:sale.order.line,layout_type:0 +msgid "Title" +msgstr "الاسم" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Disc. (%)" +msgstr "الخصم (%)" + +#. module: sale_layout +#: selection:sale.order.line,layout_type:0 +msgid "Note" +msgstr "ملاحظة" + +#. module: sale_layout +#: field:sale.order.line,layout_type:0 +msgid "Line Type" +msgstr "" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Order N°" +msgstr "" + +#. module: sale_layout +#: field:sale.order,abstract_line_ids:0 +msgid "Order Lines" +msgstr "سطور الأوامر" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Disc.(%)" +msgstr "نسبة الخصم (%)" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Unit Price" +msgstr "سعر الوحدة" + +#. module: sale_layout +#: view:sale.order:0 +msgid "Invoice Lines" +msgstr "سطور الفاتورة" + +#. module: sale_layout +#: view:sale.order:0 +msgid "UoM" +msgstr "وحدة القياس" + +#. module: sale_layout +#: selection:sale.order.line,layout_type:0 +msgid "Product" +msgstr "المنتج" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Description" +msgstr "وصف" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Our Salesman" +msgstr "" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Tel. :" +msgstr "هاتف:" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Quantity" +msgstr "كمية" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Quotation N°" +msgstr "" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "VAT" +msgstr "ضريبة القيمة المضافة" + +#. module: sale_layout +#: view:sale.order:0 +msgid "Make Invoice" +msgstr "عمل فاتورة" + +#. module: sale_layout +#: view:sale.order:0 +msgid "Properties" +msgstr "خصائص" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Invoice address :" +msgstr "عنوان الفاتورة:" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Fax :" +msgstr "الفاكس:" + +#. module: sale_layout +#: view:sale.order:0 +msgid "Notes" +msgstr "ملاحظات" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Date Ordered" +msgstr "تاريخ الأمر" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Shipping address :" +msgstr "عنوان الشحن" + +#. module: sale_layout +#: view:sale.order:0 +#: report:sale.order.layout:0 +msgid "Taxes" +msgstr "الضرائب" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Net Total :" +msgstr "المجموع الصافي" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Total :" +msgstr "الإجمالي:" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Payment Terms" +msgstr "شروط السداد" + +#. module: sale_layout +#: view:sale.order:0 +msgid "History" +msgstr "محفوظات" + +#. module: sale_layout +#: selection:sale.order.line,layout_type:0 +msgid "Separator Line" +msgstr "خط فاصل" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Your Reference" +msgstr "مرجعك" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Quotation Date" +msgstr "تاريخ التسعيرة" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "TVA :" +msgstr "" + +#. module: sale_layout +#: view:sale.order:0 +msgid "Qty" +msgstr "الكمية" + +#. module: sale_layout +#: view:sale.order:0 +msgid "States" +msgstr "حالات" + +#. module: sale_layout +#: view:sale.order:0 +msgid "Sales order lines" +msgstr "" + +#. module: sale_layout +#: model:ir.actions.report.xml,name:sale_layout.sale_order_1 +msgid "Order with Layout" +msgstr "" + +#. module: sale_layout +#: view:sale.order:0 +msgid "Extra Info" +msgstr "معلومات إضافية" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Taxes :" +msgstr "الضرائب:" + +#. module: sale_layout +#: selection:sale.order.line,layout_type:0 +msgid "Page Break" +msgstr "" + +#. module: sale_layout +#: model:ir.model,name:sale_layout.model_sale_order +msgid "Sales Order" +msgstr "أمر المبيعات" + +#. module: sale_layout +#: view:sale.order:0 +msgid "Order Line" +msgstr "سطر الأمر" + +#. module: sale_layout +#: report:sale.order.layout:0 +msgid "Price" +msgstr "السعر" + +#. module: sale_layout +#: model:ir.model,name:sale_layout.model_sale_order_line +msgid "Sales Order Line" +msgstr "سطر أمر المبيعات" + +#. module: sale_layout +#: view:sale.order:0 +msgid "Stock Moves" +msgstr "حركات الأسهم" + +#~ msgid "Seq." +#~ msgstr "تسلسل" + +#~ msgid "Automatic Declaration" +#~ msgstr "اعلان تلقائى" + +#~ msgid "Order Reference must be unique !" +#~ msgstr "لا بدّ أن يكون مرجع الأمر فريداً" diff --git a/addons/sale_margin/i18n/ar.po b/addons/sale_margin/i18n/ar.po new file mode 100644 index 00000000000..bb7abd8964c --- /dev/null +++ b/addons/sale_margin/i18n/ar.po @@ -0,0 +1,180 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-11 19:20+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: sale_margin +#: sql_constraint:sale.order:0 +msgid "Order Reference must be unique per Company!" +msgstr "" + +#. module: sale_margin +#: field:sale.order.line,purchase_price:0 +msgid "Cost Price" +msgstr "سعر التكلفة" + +#. module: sale_margin +#: model:ir.model,name:sale_margin.model_sale_order +msgid "Sales Order" +msgstr "أمر المبيعات" + +#. module: sale_margin +#: help:sale.order,margin:0 +msgid "" +"It gives profitability by calculating the difference between the Unit Price " +"and Cost Price." +msgstr "" + +#. module: sale_margin +#: field:sale.order,margin:0 +#: field:sale.order.line,margin:0 +msgid "Margin" +msgstr "هامش" + +#. module: sale_margin +#: model:ir.model,name:sale_margin.model_sale_order_line +msgid "Sales Order Line" +msgstr "سطر أمر المبيعات" + +#~ msgid "Paid" +#~ msgstr "مدفوع" + +#~ msgid "Customer Invoice" +#~ msgstr "فاتورة العميل" + +#~ msgid "Current" +#~ msgstr "الحالي" + +#~ msgid "Group By..." +#~ msgstr "تجميع حسب..." + +#~ msgid "Category" +#~ msgstr "فئة" + +#~ msgid "February" +#~ msgstr "فبراير" + +#~ msgid "Draft" +#~ msgstr "مسودة" + +#~ msgid "State" +#~ msgstr "الحالة" + +#~ msgid "Pro-forma" +#~ msgstr "كمسألة شكلية" + +#~ msgid "August" +#~ msgstr "أغسطس" + +#~ msgid "May" +#~ msgstr "مايو" + +#~ msgid "Picking List" +#~ msgstr "قائمة الالتقاط" + +#~ msgid "Type" +#~ msgstr "نوع" + +#~ msgid "Product" +#~ msgstr "المنتج" + +#~ msgid "Order Reference must be unique !" +#~ msgstr "لا بدّ أن يكون مرجع الأمر فريداً" + +#~ msgid "This Year" +#~ msgstr "هذا العام" + +#~ msgid "June" +#~ msgstr "يونيو" + +#~ msgid "This Month" +#~ msgstr "هذا الشهر" + +#~ msgid "Date" +#~ msgstr "تاريخ" + +#~ msgid "July" +#~ msgstr "يوليو" + +#~ msgid "Extended Filters..." +#~ msgstr "مرشحات مفصلة..." + +#~ msgid "Day" +#~ msgstr "يوم" + +#~ msgid "Categories" +#~ msgstr "الفئات" + +#~ msgid "March" +#~ msgstr "مارس" + +#~ msgid "April" +#~ msgstr "أبريل" + +#~ msgid "Amount" +#~ msgstr "المقدار" + +#~ msgid "September" +#~ msgstr "سبتمبر" + +#~ msgid "October" +#~ msgstr "أكتوبر" + +#~ msgid "Year" +#~ msgstr "سنة" + +#~ msgid "January" +#~ msgstr "يناير" + +#~ msgid "Invoices" +#~ msgstr "الفواتير" + +#~ msgid "Canceled" +#~ msgstr "ملغي" + +#~ msgid "Quantity" +#~ msgstr "كمية" + +#~ msgid "Month" +#~ msgstr "شهر" + +#~ msgid "Supplier Invoice" +#~ msgstr "فاتورة المورد" + +#~ msgid "Invoice Line" +#~ msgstr "خط الفاتورة" + +#~ msgid "December" +#~ msgstr "ديسمبر" + +#~ msgid "November" +#~ msgstr "نوفمبر" + +#~ msgid "Invoice" +#~ msgstr "فاتورة" + +#~ msgid "Customer Invoices" +#~ msgstr "فواتير العميل" + +#~ msgid "Done" +#~ msgstr "تم" + +#~ msgid "Open" +#~ msgstr "فتح" + +#~ msgid "Partner" +#~ msgstr "شريك" diff --git a/addons/sale_order_dates/i18n/ar.po b/addons/sale_order_dates/i18n/ar.po new file mode 100644 index 00000000000..a6e1574866a --- /dev/null +++ b/addons/sale_order_dates/i18n/ar.po @@ -0,0 +1,64 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-11 19:18+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#. module: sale_order_dates +#: sql_constraint:sale.order:0 +msgid "Order Reference must be unique per Company!" +msgstr "" + +#. module: sale_order_dates +#: help:sale.order,requested_date:0 +msgid "Date on which customer has requested for sales." +msgstr "" + +#. module: sale_order_dates +#: field:sale.order,commitment_date:0 +msgid "Commitment Date" +msgstr "" + +#. module: sale_order_dates +#: field:sale.order,effective_date:0 +msgid "Effective Date" +msgstr "تاريخ السريان" + +#. module: sale_order_dates +#: help:sale.order,effective_date:0 +msgid "Date on which picking is created." +msgstr "" + +#. module: sale_order_dates +#: field:sale.order,requested_date:0 +msgid "Requested Date" +msgstr "" + +#. module: sale_order_dates +#: model:ir.model,name:sale_order_dates.model_sale_order +msgid "Sales Order" +msgstr "أمر المبيعات" + +#. module: sale_order_dates +#: help:sale.order,commitment_date:0 +msgid "Date on which delivery of products is to be made." +msgstr "" + +#~ msgid "Sales Order Dates" +#~ msgstr "تواريخ أوامر المبيعات" + +#~ msgid "Order Reference must be unique !" +#~ msgstr "لا بدّ أن يكون مرجع الأمر فريداً" diff --git a/addons/share/i18n/tr.po b/addons/share/i18n/tr.po index 26585265b4a..1de0c7b2028 100644 --- a/addons/share/i18n/tr.po +++ b/addons/share/i18n/tr.po @@ -14,7 +14,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: share diff --git a/addons/web/po/zh_CN.po b/addons/web/po/zh_CN.po index 536a3761360..bbcea4276a4 100644 --- a/addons/web/po/zh_CN.po +++ b/addons/web/po/zh_CN.po @@ -8,13 +8,13 @@ msgstr "" "Project-Id-Version: openerp-web\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2011-12-20 18:48+0100\n" -"PO-Revision-Date: 2012-01-07 15:30+0000\n" +"PO-Revision-Date: 2012-01-12 05:44+0000\n" "Last-Translator: Wei \"oldrev\" Li \n" "Language-Team: Chinese (Simplified) \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-08 05:27+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" "X-Generator: Launchpad (build 14640)\n" #: addons/web/static/src/js/chrome.js:162 @@ -358,7 +358,7 @@ msgstr "翻译" #: addons/web/static/src/js/views.js:728 msgid "Technical translation" -msgstr "" +msgstr "技术翻译" #: addons/web/static/src/js/views.js:733 msgid "Other Options" @@ -585,19 +585,19 @@ msgstr "注销" #: addons/web/static/src/xml/base.xml:0 msgid "«" -msgstr "" +msgstr "«" #: addons/web/static/src/xml/base.xml:0 msgid "»" -msgstr "" +msgstr "»" #: addons/web/static/src/xml/base.xml:0 msgid "oe_secondary_menu_item" -msgstr "" +msgstr "oe_secondary_menu_item" #: addons/web/static/src/xml/base.xml:0 msgid "oe_secondary_submenu_item" -msgstr "" +msgstr "oe_secondary_submenu_item" #: addons/web/static/src/xml/base.xml:0 msgid "Hide this tip" @@ -661,7 +661,7 @@ msgstr "复制" #: addons/web/static/src/xml/base.xml:0 msgid "Unhandled widget" -msgstr "" +msgstr "未处理的窗口部件" #: addons/web/static/src/xml/base.xml:0 msgid "Notebook Page \"" @@ -725,19 +725,19 @@ msgstr "" #: addons/web/static/src/xml/base.xml:0 msgid "[" -msgstr "" +msgstr "[" #: addons/web/static/src/xml/base.xml:0 msgid "]" -msgstr "" +msgstr "]" #: addons/web/static/src/xml/base.xml:0 msgid "-" -msgstr "" +msgstr "-" #: addons/web/static/src/xml/base.xml:0 msgid "#" -msgstr "" +msgstr "#" #: addons/web/static/src/xml/base.xml:0 msgid "Open..." @@ -817,7 +817,7 @@ msgstr "过滤器名称:" #: addons/web/static/src/xml/base.xml:0 msgid "(Any existing filter with the same name will be replaced)" -msgstr "" +msgstr "(任何已存在的同名过滤器都会被替换)" #: addons/web/static/src/xml/base.xml:0 msgid "Select Dashboard to add this filter to:" @@ -866,6 +866,8 @@ msgid "" " You can export all data or only the fields that can be " "reimported after modification." msgstr "" +"此向导将导出所有符合当前搜索条件的数据到 CSV 文件。\n" +" 您也可以导出所有数据或选择在修改了 CSV 文件以后还能够重新导入的那些字段。" #: addons/web/static/src/xml/base.xml:0 msgid "Export Type:" @@ -1007,7 +1009,7 @@ msgstr "OpenERP SA 公司" #: addons/web/static/src/xml/base.xml:0 msgid "Licenced under the terms of" -msgstr "" +msgstr "采用的授权协议" #: addons/web/static/src/xml/base.xml:0 msgid "GNU Affero General Public License" diff --git a/addons/web_dashboard/po/zh_CN.po b/addons/web_dashboard/po/zh_CN.po new file mode 100644 index 00000000000..bfbe586c8b2 --- /dev/null +++ b/addons/web_dashboard/po/zh_CN.po @@ -0,0 +1,76 @@ +# Chinese (Simplified) translation for openerp-web +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openerp-web package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openerp-web\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-20 18:48+0100\n" +"PO-Revision-Date: 2012-01-12 05:35+0000\n" +"Last-Translator: Wei \"oldrev\" Li \n" +"Language-Team: Chinese (Simplified) \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#: addons/web_dashboard/static/src/js/dashboard.js:63 +msgid "Edit Layout" +msgstr "编辑布局" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "Reset" +msgstr "复位" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "Change layout" +msgstr "更改布局" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid " " +msgstr " " + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "Create" +msgstr "创建" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "Choose dashboard layout" +msgstr "选择仪表盘布局" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "progress:" +msgstr "进度:" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "%" +msgstr "%" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "" +"Click on the functionalites listed below to launch them and configure your " +"system" +msgstr "" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "Welcome to OpenERP" +msgstr "欢迎使用 OpenERP" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "Remember to bookmark this page." +msgstr "请记住收藏此页" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "Remember your login:" +msgstr "记住您的用户名:" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "Choose the first OpenERP Application you want to install.." +msgstr "选择您想安装的第一个 OpenERP 应用:" + +#: addons/web_dashboard/static/src/xml/web_dashboard.xml:0 +msgid "Please choose the first application to install." +msgstr "请选择第一个要安装的应用。" diff --git a/addons/web_default_home/po/zh_CN.po b/addons/web_default_home/po/zh_CN.po new file mode 100644 index 00000000000..6e8ae96c536 --- /dev/null +++ b/addons/web_default_home/po/zh_CN.po @@ -0,0 +1,38 @@ +# Chinese (Simplified) translation for openerp-web +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openerp-web package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openerp-web\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-10-07 10:39+0200\n" +"PO-Revision-Date: 2012-01-12 05:34+0000\n" +"Last-Translator: Wei \"oldrev\" Li \n" +"Language-Team: Chinese (Simplified) \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#: addons/web_default_home/static/src/xml/web_default_home.xml:0 +msgid "Welcome to your new OpenERP instance." +msgstr "欢迎使用您的新 OpenERP 实例。" + +#: addons/web_default_home/static/src/xml/web_default_home.xml:0 +msgid "Remember to bookmark this page." +msgstr "请记住收藏此页" + +#: addons/web_default_home/static/src/xml/web_default_home.xml:0 +msgid "Remember your login:" +msgstr "记住您的用户名:" + +#: addons/web_default_home/static/src/xml/web_default_home.xml:0 +msgid "Choose the first OpenERP Application you want to install.." +msgstr "选择您想安装的第一个 OpenERP 应用:" + +#: addons/web_default_home/static/src/xml/web_default_home.xml:0 +msgid "Install" +msgstr "安装" diff --git a/addons/web_diagram/po/zh_CN.po b/addons/web_diagram/po/zh_CN.po new file mode 100644 index 00000000000..824ce5885be --- /dev/null +++ b/addons/web_diagram/po/zh_CN.po @@ -0,0 +1,58 @@ +# Chinese (Simplified) translation for openerp-web +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openerp-web package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openerp-web\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-20 18:48+0100\n" +"PO-Revision-Date: 2012-01-12 05:36+0000\n" +"Last-Translator: Wei \"oldrev\" Li \n" +"Language-Team: Chinese (Simplified) \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#: addons/web_diagram/static/src/js/diagram.js:11 +msgid "Diagram" +msgstr "" + +#: addons/web_diagram/static/src/js/diagram.js:210 +msgid "Cancel" +msgstr "取消" + +#: addons/web_diagram/static/src/js/diagram.js:211 +msgid "Save" +msgstr "保存" + +#: addons/web_diagram/static/src/xml/base_diagram.xml:0 +msgid "New Node" +msgstr "新建节点" + +#: addons/web_diagram/static/src/xml/base_diagram.xml:0 +msgid "First" +msgstr "第一个" + +#: addons/web_diagram/static/src/xml/base_diagram.xml:0 +msgid "<<" +msgstr "<<" + +#: addons/web_diagram/static/src/xml/base_diagram.xml:0 +msgid "0" +msgstr "0" + +#: addons/web_diagram/static/src/xml/base_diagram.xml:0 +msgid "/" +msgstr "/" + +#: addons/web_diagram/static/src/xml/base_diagram.xml:0 +msgid ">>" +msgstr ">>" + +#: addons/web_diagram/static/src/xml/base_diagram.xml:0 +msgid "Last" +msgstr "最后一个" diff --git a/addons/web_mobile/po/zh_CN.po b/addons/web_mobile/po/zh_CN.po new file mode 100644 index 00000000000..ecbd519e825 --- /dev/null +++ b/addons/web_mobile/po/zh_CN.po @@ -0,0 +1,74 @@ +# Chinese (Simplified) translation for openerp-web +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openerp-web package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openerp-web\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-20 18:48+0100\n" +"PO-Revision-Date: 2012-01-12 05:34+0000\n" +"Last-Translator: Wei \"oldrev\" Li \n" +"Language-Team: Chinese (Simplified) \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" +"X-Generator: Launchpad (build 14640)\n" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "OpenERP" +msgstr "OpenERP" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Database:" +msgstr "数据库:" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Login:" +msgstr "用户名:" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Password:" +msgstr "密码:" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Login" +msgstr "登录" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Bad username or password" +msgstr "用户名或密码错误" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Powered by openerp.com" +msgstr "由 openerp.com 驱动" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Favourite" +msgstr "收藏" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Preference" +msgstr "偏好设定" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Logout" +msgstr "注销" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "There are no records to show." +msgstr "无可用数据。" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid ":" +msgstr ":" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "On" +msgstr "开" + +#: addons/web_mobile/static/src/xml/web_mobile.xml:0 +msgid "Off" +msgstr "关" diff --git a/openerp/addons/base/i18n/ja.po b/openerp/addons/base/i18n/ja.po index ca91cd7a56f..ab570370d35 100644 --- a/openerp/addons/base/i18n/ja.po +++ b/openerp/addons/base/i18n/ja.po @@ -8,14 +8,14 @@ msgstr "" "Project-Id-Version: openobject-server\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2011-12-22 20:22+0000\n" -"PO-Revision-Date: 2010-09-09 06:58+0000\n" -"Last-Translator: Harry (OpenERP) \n" +"PO-Revision-Date: 2012-01-11 22:47+0000\n" +"Last-Translator: Masaki Yamaya \n" "Language-Team: Japanese \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-05 05:30+0000\n" -"X-Generator: Launchpad (build 14625)\n" +"X-Launchpad-Export-Date: 2012-01-12 05:39+0000\n" +"X-Generator: Launchpad (build 14640)\n" #. module: base #: model:res.country,name:base.sh @@ -49,7 +49,7 @@ msgstr "" #: field:ir.ui.view,arch:0 #: field:ir.ui.view.custom,arch:0 msgid "View Architecture" -msgstr "" +msgstr "ビューアーキテクチャ" #. module: base #: model:ir.module.module,description:base.module_project @@ -153,7 +153,7 @@ msgstr "" #. module: base #: field:res.partner,ref:0 msgid "Reference" -msgstr "" +msgstr "参照" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_be_invoice_bba diff --git a/openerp/addons/base/i18n/tr.po b/openerp/addons/base/i18n/tr.po index b0fab27f83a..973c4c423f6 100644 --- a/openerp/addons/base/i18n/tr.po +++ b/openerp/addons/base/i18n/tr.po @@ -7,13 +7,13 @@ msgstr "" "Project-Id-Version: OpenERP Server 5.0.4\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-22 20:22+0000\n" -"PO-Revision-Date: 2012-01-08 00:18+0000\n" +"PO-Revision-Date: 2012-01-10 22:53+0000\n" "Last-Translator: Ahmet Altınışık \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-09 04:49+0000\n" +"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" "X-Generator: Launchpad (build 14640)\n" #. module: base @@ -146,6 +146,12 @@ msgid "" "\n" "This module allows you to create retro planning for managing your events.\n" msgstr "" +"\n" +"Etkinliklerin organizasyonu ve yönetimi.\n" +"======================================\n" +"\n" +"Bu modül etkinliklerinizi yönetmek için retro planlama yapmanıza yardım " +"eder.\n" #. module: base #: help:ir.model.fields,domain:0 @@ -371,7 +377,7 @@ msgstr "Geçersiz group_by kısmı" #. module: base #: field:ir.module.category,child_ids:0 msgid "Child Applications" -msgstr "" +msgstr "Alt Uygulamalar" #. module: base #: field:res.partner,credit_limit:0 @@ -381,7 +387,7 @@ msgstr "Kredi Limiti" #. module: base #: model:ir.module.module,description:base.module_web_graph msgid "Openerp web graph view" -msgstr "" +msgstr "Openerp web grafik ekran" #. module: base #: field:ir.model.data,date_update:0 @@ -447,7 +453,7 @@ msgstr "Alan Adı" #. module: base #: model:ir.module.module,shortdesc:base.module_pad_project msgid "Specifications on PADs" -msgstr "" +msgstr "Bloknotların özellikleri" #. module: base #: help:res.partner,website:0 @@ -551,7 +557,7 @@ msgstr "İspanyolca (VE)" #. module: base #: model:ir.module.module,shortdesc:base.module_hr_timesheet_invoice msgid "Invoice on Timesheets" -msgstr "" +msgstr "Zaman Çizelgelerine Göre Faturalama" #. module: base #: view:base.module.upgrade:0 @@ -1798,7 +1804,7 @@ msgstr "Html Görünümü" #. module: base #: field:res.currency,position:0 msgid "Symbol position" -msgstr "" +msgstr "Sembol pozisyonu" #. module: base #: model:ir.module.module,shortdesc:base.module_process @@ -1808,12 +1814,12 @@ msgstr "Kurumsal İşlem" #. module: base #: help:ir.cron,function:0 msgid "Name of the method to be called when this job is processed." -msgstr "" +msgstr "Bu iş çalıştırıldığında çağırılacak metodun adı." #. module: base #: model:ir.module.module,shortdesc:base.module_hr_evaluation msgid "Employee Appraisals" -msgstr "" +msgstr "Çalışan ön değerlendirmeleri" #. module: base #: selection:ir.actions.server,state:0 @@ -1830,7 +1836,7 @@ msgstr " (kopya)" #. module: base #: field:res.company,rml_footer1:0 msgid "General Information Footer" -msgstr "" +msgstr "Genel bilgilendirici altbilgi" #. module: base #: view:res.lang:0 @@ -1862,7 +1868,7 @@ msgstr "Ekli Model" #. module: base #: field:res.partner.bank,footer:0 msgid "Display on Reports" -msgstr "" +msgstr "Raporlarda göster" #. module: base #: model:ir.module.module,description:base.module_l10n_cn @@ -2038,7 +2044,7 @@ msgstr "Ağaç" #. module: base #: model:ir.module.module,shortdesc:base.module_analytic_multicurrency msgid "Multi-Currency in Analytic" -msgstr "" +msgstr "Analitik hesaplarda Çoklu döviz" #. module: base #: view:base.language.export:0 @@ -2056,6 +2062,8 @@ msgid "" "Display this bank account on the footer of printed documents like invoices " "and sales orders." msgstr "" +"Bu banka hesabını satış siparişleri ve faturalar gibi belgelerin altında " +"göster." #. module: base #: view:base.language.import:0 @@ -2228,7 +2236,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_base_setup msgid "Initial Setup Tools" -msgstr "" +msgstr "İlk kurulum Araçları" #. module: base #: field:ir.actions.act_window,groups_id:0 @@ -2419,6 +2427,12 @@ msgid "" "\n" "Configure servers and trigger synchronization with its database objects.\n" msgstr "" +"\n" +"Tüm nesneler ile senkronizasyon.\n" +"=================================\n" +"\n" +"Veritabanı nesneleri ile sunucuları ve tetikleme senkronizasyonu " +"yapılandırın.\n" #. module: base #: model:res.country,name:base.mg @@ -3189,7 +3203,7 @@ msgstr "Bağlantı Ünvanları" #. module: base #: model:ir.module.module,shortdesc:base.module_product_manufacturer msgid "Products Manufacturers" -msgstr "" +msgstr "Ürün Üreticileri" #. module: base #: code:addons/base/ir/ir_mail_server.py:218 @@ -3457,7 +3471,7 @@ msgstr "Ayırıcı Biçimi" #. module: base #: model:ir.module.module,shortdesc:base.module_report_webkit msgid "Webkit Report Engine" -msgstr "" +msgstr "Webkit Rapor motoru" #. module: base #: selection:publisher_warranty.contract,state:0 @@ -3535,7 +3549,7 @@ msgstr "" #. module: base #: constraint:res.partner:0 msgid "Error ! You cannot create recursive associated members." -msgstr "" +msgstr "Hata ! kendini çağıran ilişkili üyeler oluşturamazsınız." #. module: base #: view:res.payterm:0 @@ -3568,6 +3582,9 @@ msgid "" "or data in your OpenERP instance. To install some modules, click on the " "button \"Install\" from the form view and then click on \"Start Upgrade\"." msgstr "" +"OpenERP kurulumunuza yeni özellikler, raporlar ya da veriler eklemek için " +"yeni modüller kurabilirsiniz. Yeni modülleri kurmak için ekrandaki kur " +"butonuna basın sonra da \"Güncellemeye Başla\"yı tıklayın." #. module: base #: model:ir.actions.act_window,name:base.ir_cron_act @@ -3583,6 +3600,9 @@ msgid "" " OpenERP Web chat module.\n" " " msgstr "" +"\n" +" OpenERP Web sohbet modülü.\n" +" " #. module: base #: field:res.partner.address,title:0 @@ -3878,6 +3898,8 @@ msgid "" "Mail delivery failed via SMTP server '%s'.\n" "%s: %s" msgstr "" +"SMTP sunucudan posta gönderimi yapılamadı '%s'.\n" +"%s: %s" #. module: base #: view:ir.cron:0 @@ -3991,7 +4013,7 @@ msgstr "Portekiz" #. module: base #: model:ir.module.module,shortdesc:base.module_share msgid "Share any Document" -msgstr "" +msgstr "Herhangi bir belgeyi paylaş" #. module: base #: field:ir.module.module,certificate:0 @@ -4163,6 +4185,8 @@ msgid "" "Your OpenERP Publisher's Warranty Contract unique key, also called serial " "number." msgstr "" +"Seri numarası olarak da adlandırılan OpenERP Yayıncı Garanti Sözleşme " +"anahtarı." #. module: base #: model:ir.module.module,description:base.module_base_setup @@ -4177,6 +4201,15 @@ msgid "" "\n" " " msgstr "" +"\n" +"Bu modül, yeni bir veritabanı kurulumu sırasında sistemi yapılandırmaya " +"yardımcı olur.\n" +"=============================================================================" +"===\n" +"\n" +"Uygulamaları yüklemek için özelliklerin bir listesini gösterir.\n" +"\n" +" " #. module: base #: field:ir.actions.report.xml,report_sxw_content:0 @@ -4307,12 +4340,12 @@ msgstr "Tetik Nesnesi" #. module: base #: sql_constraint:ir.sequence.type:0 msgid "`code` must be unique." -msgstr "" +msgstr "`KOD` eşşiz olmalı." #. module: base #: model:ir.module.module,shortdesc:base.module_hr_expense msgid "Expenses Management" -msgstr "" +msgstr "Harcama Yönetimi" #. module: base #: view:workflow.activity:0 @@ -4323,7 +4356,7 @@ msgstr "Gelen Dönüşümler" #. module: base #: field:ir.values,value_unpickle:0 msgid "Default value or action reference" -msgstr "" +msgstr "Öntanımlı değer ya da Eylem referansı" #. module: base #: model:res.country,name:base.sr @@ -4350,7 +4383,7 @@ msgstr "Banka hesabı" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_gr msgid "Greece - Accounting" -msgstr "" +msgstr "Yunanistan - Muhasebe" #. module: base #: selection:base.language.install,lang:0 @@ -4370,7 +4403,7 @@ msgstr "Özelleştirilmiş Mimari" #. module: base #: model:ir.module.module,shortdesc:base.module_web_gantt msgid "web Gantt" -msgstr "" +msgstr "web Gant" #. module: base #: field:ir.module.module,license:0 @@ -4380,7 +4413,7 @@ msgstr "Lisans" #. module: base #: model:ir.module.module,shortdesc:base.module_web_graph msgid "web Graph" -msgstr "" +msgstr "web Grafik" #. module: base #: field:ir.attachment,url:0 @@ -4463,7 +4496,7 @@ msgstr "Ekvatoral Gine" #. module: base #: model:ir.module.module,shortdesc:base.module_warning msgid "Warning Messages and Alerts" -msgstr "" +msgstr "Uyarı mesajları ve Alarmlar" #. module: base #: view:base.module.import:0 @@ -4474,7 +4507,7 @@ msgstr "Modül İç Aktarımı" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_ch msgid "Switzerland - Accounting" -msgstr "" +msgstr "İsviçre - Muhasebe" #. module: base #: field:res.bank,zip:0 @@ -4520,7 +4553,7 @@ msgstr "" #. module: base #: model:ir.module.category,description:base.module_category_marketing msgid "Helps you manage your marketing campaigns step by step." -msgstr "" +msgstr "Pazarlama kampanyalarınızı adım adım yöntemeye yardım eder." #. module: base #: selection:base.language.install,lang:0 @@ -4564,7 +4597,7 @@ msgstr "Kurallar" #. module: base #: field:ir.mail_server,smtp_host:0 msgid "SMTP Server" -msgstr "" +msgstr "SMTP Sunucusu" #. module: base #: code:addons/base/module/module.py:252 @@ -4594,6 +4627,8 @@ msgid "" "the same values as those available in the condition field, e.g. `Dear [[ " "object.partner_id.name ]]`" msgstr "" +"E-posta içeriği, Mesajın içinde çift parantez içine alınmış ifadeler " +"içerebilir ör. `Sevgili [[object.partner_id.name]]`" #. module: base #: model:ir.actions.act_window,name:base.action_workflow_form @@ -4618,12 +4653,12 @@ msgstr "" #. module: base #: model:ir.module.category,name:base.module_category_specific_industry_applications msgid "Specific Industry Applications" -msgstr "" +msgstr "Endüstrilere özel uygulamalar" #. module: base #: model:ir.module.module,shortdesc:base.module_web_uservoice msgid "Receive User Feedback" -msgstr "" +msgstr "Kullanıcı geridönüşü al" #. module: base #: model:res.country,name:base.ls @@ -4633,7 +4668,7 @@ msgstr "Lesoto" #. module: base #: model:ir.module.module,shortdesc:base.module_base_vat msgid "VAT Number Validation" -msgstr "" +msgstr "Vergi Numarası Kontrolü" #. module: base #: model:ir.module.module,shortdesc:base.module_crm_partner_assign @@ -4649,7 +4684,7 @@ msgstr "Kenya" #: model:ir.actions.act_window,name:base.action_translation #: model:ir.ui.menu,name:base.menu_action_translation msgid "Translated Terms" -msgstr "" +msgstr "Çevirilmiş Terimler" #. module: base #: view:res.partner.event:0 @@ -4769,7 +4804,7 @@ msgstr "O kontrat sistemde zaten kayıtlı" #: model:ir.actions.act_window,name:base.action_res_partner_bank_type_form #: model:ir.ui.menu,name:base.menu_action_res_partner_bank_typeform msgid "Bank Account Types" -msgstr "" +msgstr "Banka Hesap Tipleri" #. module: base #: help:ir.sequence,suffix:0 @@ -4779,7 +4814,7 @@ msgstr "Sıra no için kaydın sonek değeri" #. module: base #: help:ir.mail_server,smtp_user:0 msgid "Optional username for SMTP authentication" -msgstr "" +msgstr "SMTP kimlik doğrulaması için kullanıcı adı (opsiyonel)" #. module: base #: model:ir.model,name:base.model_ir_actions_actions @@ -4832,12 +4867,12 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_web_chat msgid "Web Chat" -msgstr "" +msgstr "Web Sohbeti" #. module: base #: field:res.company,rml_footer2:0 msgid "Bank Accounts Footer" -msgstr "" +msgstr "Banka Hesapları Altbilgisi" #. module: base #: model:res.country,name:base.mu @@ -4862,7 +4897,7 @@ msgstr "Güvenlik" #. module: base #: help:res.partner.bank,company_id:0 msgid "Only if this bank account belong to your company" -msgstr "" +msgstr "Sadece eğer bu banka hesapları şirketinize ait ise" #. module: base #: model:res.country,name:base.za @@ -4907,7 +4942,7 @@ msgstr "Macaristan" #. module: base #: model:ir.module.module,shortdesc:base.module_hr_recruitment msgid "Recruitment Process" -msgstr "" +msgstr "İşe alım süreci" #. module: base #: model:res.country,name:base.br @@ -4968,12 +5003,12 @@ msgstr "Sistem güncellemesi tamamlandı" #. module: base #: sql_constraint:ir.model:0 msgid "Each model must be unique!" -msgstr "" +msgstr "Her model eşşiz olmalı!" #. module: base #: model:ir.module.category,name:base.module_category_localization msgid "Localization" -msgstr "" +msgstr "Yerelleştirme" #. module: base #: model:ir.module.module,description:base.module_sale_mrp @@ -5038,7 +5073,7 @@ msgstr "Üst Menü" #. module: base #: field:res.partner.bank,owner_name:0 msgid "Account Owner Name" -msgstr "" +msgstr "Hesap Sahibi Adi" #. module: base #: field:ir.rule,perm_unlink:0 @@ -5067,7 +5102,7 @@ msgstr "Ondalık Ayırıcı" #: view:ir.module.module:0 #, python-format msgid "Install" -msgstr "" +msgstr "Yükle" #. module: base #: model:ir.actions.act_window,help:base.action_res_groups @@ -5083,7 +5118,7 @@ msgstr "" #. module: base #: field:ir.filters,name:0 msgid "Filter Name" -msgstr "" +msgstr "Filtre adı" #. module: base #: view:res.partner:0 @@ -5190,7 +5225,7 @@ msgstr "Alan" #. module: base #: model:ir.module.module,shortdesc:base.module_project_long_term msgid "Long Term Projects" -msgstr "" +msgstr "Uzun Süreli Projeler" #. module: base #: model:res.country,name:base.ve @@ -5210,7 +5245,7 @@ msgstr "Zambiya" #. module: base #: view:ir.actions.todo:0 msgid "Launch Configuration Wizard" -msgstr "" +msgstr "Yapılandırma Sihirbazı'nı başlatın" #. module: base #: help:res.partner,user_id:0 @@ -5311,7 +5346,7 @@ msgstr "Montserrat" #. module: base #: model:ir.module.module,shortdesc:base.module_decimal_precision msgid "Decimal Precision Configuration" -msgstr "" +msgstr "Ondalık Hassasiyet Ayarları" #. module: base #: model:ir.ui.menu,name:base.menu_translation_app @@ -5437,7 +5472,7 @@ msgstr "Web" #. module: base #: model:ir.module.module,shortdesc:base.module_lunch msgid "Lunch Orders" -msgstr "" +msgstr "Öğle Yemeği Siparişleri" #. module: base #: selection:base.language.install,lang:0 @@ -5452,7 +5487,7 @@ msgstr "publisher_warranty.contract" #. module: base #: model:ir.module.category,name:base.module_category_human_resources msgid "Human Resources" -msgstr "" +msgstr "İnsan Kaynakları" #. module: base #: model:res.country,name:base.et @@ -5515,12 +5550,12 @@ msgstr "Svalbard ve Jan Mayen" #. module: base #: model:ir.module.category,name:base.module_category_hidden_test msgid "Test" -msgstr "" +msgstr "Test" #. module: base #: model:ir.module.module,shortdesc:base.module_web_kanban msgid "Base Kanban" -msgstr "" +msgstr "Temel Kanban" #. module: base #: view:ir.actions.act_window:0 @@ -5605,7 +5640,7 @@ msgstr "many2one alanlarda silinmede gerçekleştirilecek özellik" #. module: base #: model:ir.module.category,name:base.module_category_accounting_and_finance msgid "Accounting & Finance" -msgstr "" +msgstr "Muhasebe & Finans" #. module: base #: field:ir.actions.server,write_id:0 @@ -5628,13 +5663,13 @@ msgstr "" #: model:ir.ui.menu,name:base.menu_values_form_defaults #: view:ir.values:0 msgid "User-defined Defaults" -msgstr "" +msgstr "Kullanıcı tanımlı öntanımlamalar" #. module: base #: model:ir.module.category,name:base.module_category_usability #: view:res.users:0 msgid "Usability" -msgstr "" +msgstr "Kullanılabilirlik" #. module: base #: field:ir.actions.act_window,domain:0 @@ -5645,7 +5680,7 @@ msgstr "Alan Değeri" #. module: base #: model:ir.module.module,shortdesc:base.module_base_module_quality msgid "Analyse Module Quality" -msgstr "" +msgstr "Modül Kalitesini incele" #. module: base #: selection:base.language.install,lang:0 @@ -5685,7 +5720,7 @@ msgstr "Grup adı \"=\" ile başlayamaz" #. module: base #: view:ir.module.module:0 msgid "Apps" -msgstr "" +msgstr "Uygulamalar" #. module: base #: view:ir.ui.view_sc:0 @@ -5713,7 +5748,7 @@ msgstr "Modül \"%s\" işlenemiyor. Dış bağımlılık karşılanamıyor: %s" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_be_hr_payroll msgid "Belgium - Payroll" -msgstr "" +msgstr "Belçika - Bordro" #. module: base #: view:publisher_warranty.contract.wizard:0 @@ -5794,12 +5829,12 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_web_diagram msgid "OpenERP Web Diagram" -msgstr "" +msgstr "OpenERP Web Diyagram" #. module: base #: view:res.partner.bank:0 msgid "My Banks" -msgstr "" +msgstr "Bankalarım" #. module: base #: help:multi_company.default,object_id:0 @@ -5853,7 +5888,7 @@ msgstr "Resmi Çeviriyi Yükle" #. module: base #: model:ir.module.module,shortdesc:base.module_account_cancel msgid "Cancel Journal Entries" -msgstr "" +msgstr "Yevmiye maddelerini iptal et" #. module: base #: view:ir.actions.server:0 @@ -5876,12 +5911,12 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_base_report_creator msgid "Query Builder" -msgstr "" +msgstr "Sorgu Oluşturucu" #. module: base #: selection:ir.actions.todo,type:0 msgid "Launch Automatically" -msgstr "" +msgstr "Otomatikman Çalış" #. module: base #: model:ir.module.module,description:base.module_mail @@ -6008,18 +6043,18 @@ msgstr "vsep" #. module: base #: model:res.widget,title:base.openerp_favorites_twitter_widget msgid "OpenERP Tweets" -msgstr "" +msgstr "OpenERP Tweetleri" #. module: base #: code:addons/base/module/module.py:381 #, python-format msgid "Uninstall" -msgstr "" +msgstr "Kaldır" #. module: base #: model:ir.module.module,shortdesc:base.module_account_budget msgid "Budgets Management" -msgstr "" +msgstr "Bütçe Yönetimi" #. module: base #: field:workflow.triggers,workitem_id:0 @@ -6029,17 +6064,17 @@ msgstr "İş Unsuru" #. module: base #: model:ir.module.module,shortdesc:base.module_anonymization msgid "Database Anonymization" -msgstr "" +msgstr "Veritabanı Anonimleştirmesi" #. module: base #: selection:ir.mail_server,smtp_encryption:0 msgid "SSL/TLS" -msgstr "" +msgstr "SSL/TLS" #. module: base #: field:publisher_warranty.contract,check_opw:0 msgid "OPW" -msgstr "" +msgstr "OPW" #. module: base #: field:res.log,secondary:0 @@ -6094,7 +6129,7 @@ msgstr "Kuralın en az bir işaretlenmiş erişim hakkı olmalı !" #. module: base #: field:res.partner.bank.type,format_layout:0 msgid "Format Layout" -msgstr "" +msgstr "Biçim Düzeni" #. module: base #: model:ir.module.module,description:base.module_document_ftp @@ -6138,7 +6173,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_audittrail msgid "Audit Trail" -msgstr "" +msgstr "Denetleme Tarihçesi" #. module: base #: model:res.country,name:base.sd @@ -6151,7 +6186,7 @@ msgstr "Sudan" #: field:res.currency.rate,currency_rate_type_id:0 #: view:res.currency.rate.type:0 msgid "Currency Rate Type" -msgstr "" +msgstr "Döviz Kuru Tipi" #. module: base #: model:res.country,name:base.fm @@ -6177,7 +6212,7 @@ msgstr "" #. module: base #: model:ir.module.category,name:base.module_category_hidden msgid "Hidden" -msgstr "" +msgstr "Gizli" #. module: base #: selection:base.language.install,lang:0 @@ -6192,12 +6227,12 @@ msgstr "İsrail" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_syscohada msgid "OHADA - Accounting" -msgstr "" +msgstr "OHADA - Muhasebe" #. module: base #: help:res.bank,bic:0 msgid "Sometimes called BIC or Swift." -msgstr "" +msgstr "Bazen BIC ya da SWIFT olarak geçer." #. module: base #: model:ir.module.module,description:base.module_l10n_mx @@ -6282,7 +6317,7 @@ msgstr "Okunmamış" #. module: base #: field:res.users,id:0 msgid "ID" -msgstr "" +msgstr "ID" #. module: base #: field:ir.cron,doall:0 @@ -6304,7 +6339,7 @@ msgstr "Nesne Eşlemesi" #: field:ir.translation,xml_id:0 #: field:ir.ui.view,xml_id:0 msgid "External ID" -msgstr "" +msgstr "Dış ID" #. module: base #: help:res.currency.rate,rate:0 @@ -6356,12 +6391,12 @@ msgstr "Bu cari bir şirket çalışanıysa kutuyu işaretleyin." #. module: base #: model:ir.module.module,shortdesc:base.module_crm_profiling msgid "Customer Profiling" -msgstr "" +msgstr "Müşteri Profilleme" #. module: base #: model:ir.module.module,shortdesc:base.module_project_issue msgid "Issues Tracker" -msgstr "" +msgstr "Sorun Takipçisi" #. module: base #: selection:ir.cron,interval_type:0 @@ -6371,7 +6406,7 @@ msgstr "İş Günü" #. module: base #: model:ir.module.module,shortdesc:base.module_multi_company msgid "Multi-Company" -msgstr "" +msgstr "Çoklu-Şirket" #. module: base #: field:ir.actions.report.xml,report_rml_content:0 @@ -6401,14 +6436,14 @@ msgstr "Öğüt" #. module: base #: view:res.company:0 msgid "Header/Footer of Reports" -msgstr "" +msgstr "Raporların Alt/Üst bilgileri" #. module: base #: code:addons/base/res/res_users.py:729 #: view:res.users:0 #, python-format msgid "Applications" -msgstr "" +msgstr "Uygulamalar" #. module: base #: model:ir.model,name:base.model_ir_attachment @@ -6483,7 +6518,7 @@ msgstr "Kaynak Terim" #. module: base #: model:ir.module.module,shortdesc:base.module_hr_timesheet_sheet msgid "Timesheets Validation" -msgstr "" +msgstr "Giriş Çıkışların Doğrulanması" #. module: base #: model:ir.ui.menu,name:base.menu_main_pm @@ -6514,12 +6549,12 @@ msgstr "Seri No" #. module: base #: model:ir.module.module,shortdesc:base.module_hr_timesheet msgid "Timesheets" -msgstr "" +msgstr "Giriş Çıkışlar" #. module: base #: field:res.partner,function:0 msgid "function" -msgstr "" +msgstr "fonksiyon" #. module: base #: model:ir.ui.menu,name:base.menu_audit @@ -6529,7 +6564,7 @@ msgstr "Denetim" #. module: base #: help:ir.values,company_id:0 msgid "If set, action binding only applies for this company" -msgstr "" +msgstr "Eğer işaretlenirse, Eylem bağlantıları sadece bu şirkete uygulanır" #. module: base #: model:res.country,name:base.lc @@ -6584,12 +6619,12 @@ msgstr "ID leri sil" #: view:res.partner:0 #: view:res.partner.address:0 msgid "Edit" -msgstr "" +msgstr "Düzenle" #. module: base #: field:ir.actions.client,params:0 msgid "Supplementary arguments" -msgstr "" +msgstr "Ek argümanlar" #. module: base #: field:res.users,view:0 @@ -6624,7 +6659,7 @@ msgstr "Silindiğinde" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_multilang msgid "Multi Language Chart of Accounts" -msgstr "" +msgstr "Çok dilli Hesap Planları" #. module: base #: selection:res.lang,direction:0 @@ -6660,7 +6695,7 @@ msgstr "İmza" #. module: base #: model:ir.module.module,shortdesc:base.module_crm_caldav msgid "Meetings Synchronization" -msgstr "" +msgstr "Toplantıların Senkronizasyonu" #. module: base #: field:ir.actions.act_window,context:0 @@ -6692,7 +6727,7 @@ msgstr "Modülün adı tekil olmak zorunda !" #. module: base #: model:ir.module.module,shortdesc:base.module_base_contact msgid "Contacts Management" -msgstr "" +msgstr "Kişilerin Yönetimi" #. module: base #: model:ir.module.module,description:base.module_l10n_fr_rib @@ -6769,14 +6804,14 @@ msgstr "Satış Temsilcisi" #. module: base #: model:ir.module.module,shortdesc:base.module_account_accountant msgid "Accounting and Finance" -msgstr "" +msgstr "Muhasebe & Finans" #. module: base #: code:addons/base/module/module.py:418 #: view:ir.module.module:0 #, python-format msgid "Upgrade" -msgstr "" +msgstr "Güncelle" #. module: base #: field:res.partner,address:0 @@ -6792,7 +6827,7 @@ msgstr "Faroe Adaları" #. module: base #: field:ir.mail_server,smtp_encryption:0 msgid "Connection Security" -msgstr "" +msgstr "Bağlantı güvenliği" #. module: base #: code:addons/base/ir/ir_actions.py:652 @@ -6808,7 +6843,7 @@ msgstr "Ekle" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_ec msgid "Ecuador - Accounting" -msgstr "" +msgstr "Ekvador - Muhasebe" #. module: base #: field:res.partner.category,name:0 @@ -6848,12 +6883,12 @@ msgstr "Araçlar Sihirbazı" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_hn msgid "Honduras - Accounting" -msgstr "" +msgstr "Honduras - Muhasebe" #. module: base #: model:ir.module.module,shortdesc:base.module_report_intrastat msgid "Intrastat Reporting" -msgstr "" +msgstr "Intrastat Raporlama" #. module: base #: code:addons/base/res/res_users.py:222 @@ -6919,7 +6954,7 @@ msgstr "Etkin" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_ma msgid "Maroc - Accounting" -msgstr "" +msgstr "Maroc - Muhasebe" #. module: base #: model:res.country,name:base.mn @@ -7090,7 +7125,7 @@ msgstr "Oku" #. module: base #: model:ir.module.module,shortdesc:base.module_association msgid "Associations Management" -msgstr "" +msgstr "derneklerin Yönetimi" #. module: base #: help:ir.model,modules:0 @@ -7100,7 +7135,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_hr_payroll msgid "Payroll" -msgstr "" +msgstr "Bordro" #. module: base #: model:ir.actions.act_window,help:base.action_country_state @@ -7169,7 +7204,7 @@ msgstr "" #. module: base #: field:res.partner,title:0 msgid "Partner Firm" -msgstr "" +msgstr "İş ortağı Şirket" #. module: base #: model:ir.actions.act_window,name:base.action_model_fields @@ -7222,7 +7257,7 @@ msgstr "En Son Sürüm" #. module: base #: view:ir.mail_server:0 msgid "Test Connection" -msgstr "" +msgstr "Bağlantıyı Sına" #. module: base #: model:ir.actions.act_window,name:base.action_partner_address_form @@ -7238,7 +7273,7 @@ msgstr "Myanmar" #. module: base #: help:ir.model.fields,modules:0 msgid "List of modules in which the field is defined" -msgstr "" +msgstr "Alanın tanımlandığı modüllerin listesi" #. module: base #: selection:base.language.install,lang:0 @@ -7273,7 +7308,7 @@ msgstr "" #. module: base #: field:res.currency,rounding:0 msgid "Rounding Factor" -msgstr "" +msgstr "Yuvarlama Faktörü" #. module: base #: model:res.country,name:base.ca @@ -7284,7 +7319,7 @@ msgstr "Kanada" #: code:addons/base/res/res_company.py:158 #, python-format msgid "Reg: " -msgstr "" +msgstr "VD: " #. module: base #: help:res.currency.rate,currency_rate_type_id:0 @@ -7362,6 +7397,10 @@ msgid "" "interface, which has less features but is easier to use. You can switch to " "the other interface from the User/Preferences menu at any time." msgstr "" +"OpenERP basitleştirilmiş ve uzatılmış kullanıcı arayüzleri sunar. Eğer " +"OpenERP yi ilk kullanışınız ise basitleştirilmiş arayüzü kullanmanızı " +"tavsiye ederiz. (Daha az özelliği vardır ama kullanımı daha kolaydır). " +"Kullanıcı arayüzünü kullanıcı seçeneklerinden her zaman değiştirebilirsiniz." #. module: base #: model:res.country,name:base.cc @@ -7383,7 +7422,7 @@ msgstr "11. %U or %W ==> 48 (49. hafta)" #. module: base #: model:ir.module.module,shortdesc:base.module_project_caldav msgid "CalDAV for Task Management" -msgstr "" +msgstr "Görev Yönetimi için CalDAV" #. module: base #: model:ir.model,name:base.model_res_partner_bank_type_field @@ -7398,7 +7437,7 @@ msgstr "Hollandaca / Nederlands" #. module: base #: selection:res.company,paper_format:0 msgid "US Letter" -msgstr "" +msgstr "US Letter" #. module: base #: model:ir.module.module,description:base.module_stock_location @@ -7505,17 +7544,17 @@ msgstr "" #. module: base #: model:ir.module.category,name:base.module_category_knowledge_management msgid "Knowledge Management" -msgstr "" +msgstr "Bilgi Yönetimi" #. module: base #: model:ir.actions.act_window,name:base.bank_account_update msgid "Company Bank Accounts" -msgstr "" +msgstr "Şirket Banka Hesapları" #. module: base #: help:ir.mail_server,smtp_pass:0 msgid "Optional password for SMTP authentication" -msgstr "" +msgstr "SMTP kimlik doğrulaması için şifre (opsiyonel)" #. module: base #: model:ir.module.module,description:base.module_project_mrp @@ -7569,7 +7608,7 @@ msgstr "Her x tekrarla." #. module: base #: model:res.partner.bank.type,name:base.bank_normal msgid "Normal Bank Account" -msgstr "" +msgstr "Normal Banka Hesabı" #. module: base #: view:ir.actions.wizard:0 @@ -7678,6 +7717,9 @@ msgid "" "the same values as those available in the condition field, e.g. `Hello [[ " "object.partner_id.name ]]`" msgstr "" +"Email subject, may contain expressions enclosed in double brackets based on " +"the same values as those available in the condition field, e.g. `Hello [[ " +"object.partner_id.name ]]`" #. module: base #: model:ir.module.module,description:base.module_account_sequence @@ -7705,7 +7747,7 @@ msgstr "Tonga" #. module: base #: view:res.partner.bank:0 msgid "Bank accounts belonging to one of your companies" -msgstr "" +msgstr "Şirketlerinizden birine ait banka hesapları" #. module: base #: help:res.users,action_id:0 @@ -7719,7 +7761,7 @@ msgstr "" #. module: base #: selection:ir.module.module,complexity:0 msgid "Easy" -msgstr "" +msgstr "Kolay" #. module: base #: view:ir.values:0 @@ -7785,7 +7827,7 @@ msgstr "Kişi" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_at msgid "Austria - Accounting" -msgstr "" +msgstr "Avusturya - Muhasebe" #. module: base #: model:ir.model,name:base.model_ir_ui_menu @@ -7796,7 +7838,7 @@ msgstr "ir.ui.menu" #: model:ir.module.category,name:base.module_category_project_management #: model:ir.module.module,shortdesc:base.module_project msgid "Project Management" -msgstr "" +msgstr "Proje Yönetimi" #. module: base #: model:res.country,name:base.us @@ -7806,7 +7848,7 @@ msgstr "Amerika Birleşik Devletleri (A.B.D.)" #. module: base #: model:ir.module.module,shortdesc:base.module_crm_fundraising msgid "Fundraising" -msgstr "" +msgstr "Kaynak Geliştirme" #. module: base #: view:ir.module.module:0 @@ -7823,7 +7865,7 @@ msgstr "İletişim" #. module: base #: model:ir.module.module,shortdesc:base.module_analytic msgid "Analytic Accounting" -msgstr "" +msgstr "Muhasebe Analizi" #. module: base #: view:ir.actions.report.xml:0 @@ -7838,7 +7880,7 @@ msgstr "ir.server.object.lines" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_be msgid "Belgium - Accounting" -msgstr "" +msgstr "Belçika - Muhasebe" #. module: base #: code:addons/base/module/module.py:609 @@ -7897,7 +7939,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_base_iban msgid "IBAN Bank Accounts" -msgstr "" +msgstr "IBAN Banka Hesapları" #. module: base #: field:res.company,user_ids:0 @@ -7912,7 +7954,7 @@ msgstr "Web Icon resmi" #. module: base #: field:ir.actions.server,wkf_model_id:0 msgid "Target Object" -msgstr "" +msgstr "Hedef Nesne" #. module: base #: selection:ir.model.fields,select_level:0 @@ -8006,12 +8048,12 @@ msgstr "%a - Günün kısaltması" #. module: base #: view:ir.ui.menu:0 msgid "Submenus" -msgstr "" +msgstr "Alt Menüler" #. module: base #: model:res.groups,name:base.group_extended msgid "Extended View" -msgstr "" +msgstr "Genişletilmiş Ekran" #. module: base #: model:res.country,name:base.pf @@ -8026,7 +8068,7 @@ msgstr "Dominika" #. module: base #: model:ir.module.module,shortdesc:base.module_base_module_record msgid "Record and Create Modules" -msgstr "" +msgstr "Modülleri Oluştur ve Kaydet" #. module: base #: model:ir.model,name:base.model_partner_sms_send @@ -8079,22 +8121,22 @@ msgstr "XSL yolu" #. module: base #: model:ir.module.module,shortdesc:base.module_account_invoice_layout msgid "Invoice Layouts" -msgstr "" +msgstr "Fatura Şablonları" #. module: base #: model:ir.module.module,shortdesc:base.module_stock_location msgid "Advanced Routes" -msgstr "" +msgstr "Gelişmiş Rotalar" #. module: base #: model:ir.module.module,shortdesc:base.module_pad msgid "Collaborative Pads" -msgstr "" +msgstr "İşbirliği Bloknotları" #. module: base #: model:ir.module.module,shortdesc:base.module_account_anglo_saxon msgid "Anglo-Saxon Accounting" -msgstr "" +msgstr "Anglo-Saxon Muhasebe" #. module: base #: model:res.country,name:base.np @@ -8114,7 +8156,7 @@ msgstr "" #. module: base #: field:ir.module.category,visible:0 msgid "Visible" -msgstr "" +msgstr "Görünür" #. module: base #: model:ir.actions.act_window,name:base.action_ui_view_custom @@ -8145,7 +8187,7 @@ msgstr "" #: model:ir.ui.menu,name:base.menu_values_form_action #: view:ir.values:0 msgid "Action Bindings" -msgstr "" +msgstr "Eylem Bağlantıları" #. module: base #: view:ir.sequence:0 @@ -8167,7 +8209,7 @@ msgstr "Modül \"%s\" kurulamıyor. Çünkü modülün bagımlılığı sağlanm #. module: base #: model:ir.module.module,shortdesc:base.module_account msgid "eInvoicing" -msgstr "" +msgstr "e-Faturalama" #. module: base #: model:ir.module.module,description:base.module_association @@ -8216,7 +8258,7 @@ msgstr "Slovence / Slovenščina" #. module: base #: model:ir.module.module,shortdesc:base.module_wiki msgid "Wiki" -msgstr "" +msgstr "Wiki" #. module: base #: model:ir.module.module,description:base.module_l10n_de @@ -8239,7 +8281,7 @@ msgstr "Ekten yeniden yükle" #. module: base #: view:ir.module.module:0 msgid "Hide technical modules" -msgstr "" +msgstr "Teknik Modülleri Gizle" #. module: base #: model:ir.module.module,description:base.module_procurement @@ -8271,7 +8313,7 @@ msgstr "Meksika" #: code:addons/base/ir/ir_mail_server.py:415 #, python-format msgid "Missing SMTP Server" -msgstr "" +msgstr "SMTP Sunucusu Yok" #. module: base #: field:ir.attachment,name:0 @@ -8292,7 +8334,7 @@ msgstr "Modül Güncellemesi Kur" #. module: base #: model:ir.module.module,shortdesc:base.module_email_template msgid "E-Mail Templates" -msgstr "" +msgstr "E-Posta Şablonları" #. module: base #: model:ir.model,name:base.model_ir_actions_configuration_wizard @@ -8464,12 +8506,12 @@ msgstr "Seçilebilir" #: code:addons/base/ir/ir_mail_server.py:200 #, python-format msgid "Everything seems properly set up!" -msgstr "" +msgstr "Her şey düzgün bir şekilde ayarlanmış!" #. module: base #: field:res.users,date:0 msgid "Latest Connection" -msgstr "" +msgstr "Son Bağlantıları" #. module: base #: view:res.request.link:0 @@ -8496,17 +8538,17 @@ msgstr "Yineleme" #. module: base #: model:ir.module.module,shortdesc:base.module_project_planning msgid "Resources Planing" -msgstr "" +msgstr "Kaynakların Planlaması" #. module: base #: field:ir.module.module,complexity:0 msgid "Complexity" -msgstr "" +msgstr "Karmaşıklık" #. module: base #: selection:ir.actions.act_window,target:0 msgid "Inline" -msgstr "" +msgstr "Satır içi" #. module: base #: model:res.partner.bank.type.field,name:base.bank_normal_field_bic @@ -8566,7 +8608,7 @@ msgstr "" #. module: base #: view:ir.values:0 msgid "Action Reference" -msgstr "" +msgstr "Eylem Referansı" #. module: base #: model:res.country,name:base.re @@ -8594,12 +8636,12 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_mrp_repair msgid "Repairs Management" -msgstr "" +msgstr "Tamir Yönetimi" #. module: base #: model:ir.module.module,shortdesc:base.module_account_asset msgid "Assets Management" -msgstr "" +msgstr "Varlık Yönetimi" #. module: base #: view:ir.model.access:0 @@ -8870,7 +8912,7 @@ msgstr "Kuzey Mariana Adaları" #. module: base #: model:ir.module.module,shortdesc:base.module_claim_from_delivery msgid "Claim on Deliveries" -msgstr "" +msgstr "Teslimatlar hakkındaki Şikayetler" #. module: base #: model:res.country,name:base.sb @@ -8936,7 +8978,7 @@ msgstr "Çeviriler" #. module: base #: model:ir.module.module,shortdesc:base.module_project_gtd msgid "Todo Lists" -msgstr "" +msgstr "Yapılacak Listeleri" #. module: base #: view:ir.actions.report.xml:0 @@ -8967,7 +9009,7 @@ msgstr "Web sitesi" #. module: base #: selection:ir.mail_server,smtp_encryption:0 msgid "None" -msgstr "" +msgstr "Hiçbiri" #. module: base #: view:ir.module.category:0 @@ -8982,7 +9024,7 @@ msgstr "Yoksay" #. module: base #: view:ir.values:0 msgid "Default Value Scope" -msgstr "" +msgstr "Öntanımlı değer kapsamı" #. module: base #: view:ir.ui.view:0 @@ -9061,6 +9103,8 @@ msgid "" "\n" " " msgstr "" +"\n" +" " #. module: base #: view:ir.actions.act_window:0 @@ -9084,7 +9128,7 @@ msgstr "Oluşturma Tarihi" #. module: base #: help:ir.actions.server,trigger_name:0 msgid "The workflow signal to trigger" -msgstr "" +msgstr "Tetiklenecek iş akışı sinyali" #. module: base #: model:ir.module.module,description:base.module_mrp @@ -9133,7 +9177,7 @@ msgstr "" #. module: base #: model:ir.module.module,description:base.module_google_base_account msgid "The module adds google user in res user" -msgstr "" +msgstr "Bu modül res user a google kullanıcısı ekler" #. module: base #: selection:base.language.install,state:0 @@ -9150,7 +9194,7 @@ msgstr "Genel Ayarlar" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_uy msgid "Uruguay - Chart of Accounts" -msgstr "" +msgstr "Uruguay - Hesap Planı" #. module: base #: model:ir.ui.menu,name:base.menu_administration_shortcut @@ -9170,25 +9214,25 @@ msgstr "Cezayir" #. module: base #: model:ir.module.module,shortdesc:base.module_plugin msgid "CRM Plugins" -msgstr "" +msgstr "CRM Eklentileri" #. module: base #: model:ir.actions.act_window,name:base.action_model_model #: model:ir.model,name:base.model_ir_model #: model:ir.ui.menu,name:base.ir_model_model_menu msgid "Models" -msgstr "" +msgstr "Modeller" #. module: base #: code:addons/base/ir/ir_cron.py:291 #, python-format msgid "Record cannot be modified right now" -msgstr "" +msgstr "Kayıt şuan değiştirilemiyor" #. module: base #: selection:ir.actions.todo,type:0 msgid "Launch Manually" -msgstr "" +msgstr "Elle Çalıştır" #. module: base #: model:res.country,name:base.be @@ -9198,12 +9242,12 @@ msgstr "Belçika" #. module: base #: view:res.company:0 msgid "Preview Header" -msgstr "" +msgstr "Başlığı Önizle" #. module: base #: field:res.company,paper_format:0 msgid "Paper Format" -msgstr "" +msgstr "Kağıt Boyutu" #. module: base #: field:base.language.export,lang:0 @@ -9233,7 +9277,7 @@ msgstr "Şirketler" #. module: base #: help:res.currency,symbol:0 msgid "Currency sign, to be used when printing amounts." -msgstr "" +msgstr "Döviz Kuru işareti, (Miktarları basarken kullanmak için)" #. module: base #: view:res.lang:0 @@ -9246,7 +9290,7 @@ msgstr "%H - Saat (24-Saat) [00,23]." msgid "" "Your server does not seem to support SSL, you may want to try STARTTLS " "instead" -msgstr "" +msgstr "Sunucunuz SSL desteklemiyor, STARTTLS kullanmayı deneyebilirsiniz" #. module: base #: model:ir.model,name:base.model_res_widget @@ -9271,7 +9315,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_mrp_jit msgid "Just In Time Scheduling" -msgstr "" +msgstr "Zamanında Planlama" #. module: base #: view:ir.actions.server:0 @@ -9298,7 +9342,7 @@ msgstr "osv_memory.autovacuum" #. module: base #: view:ir.module.module:0 msgid "Keywords" -msgstr "" +msgstr "Anahtar Kelimeler" #. module: base #: selection:base.language.export,format:0 @@ -9338,7 +9382,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_sale_margin msgid "Margins in Sales Orders" -msgstr "" +msgstr "Satış siparişindeki kar marjları" #. module: base #: field:ir.module.module,latest_version:0 @@ -9349,7 +9393,7 @@ msgstr "Yüklü sürüm" #: model:ir.module.category,name:base.module_category_purchase_management #: model:ir.module.module,shortdesc:base.module_purchase msgid "Purchase Management" -msgstr "" +msgstr "Satınalma Yönetimi" #. module: base #: field:ir.module.module,published_version:0 @@ -9470,6 +9514,9 @@ msgid "" " OpenERP Web example module.\n" " " msgstr "" +"\n" +" Örnek OpenERP Web modülü.\n" +" " #. module: base #: model:res.country,name:base.gy @@ -9479,7 +9526,7 @@ msgstr "Guyana" #. module: base #: model:ir.module.module,shortdesc:base.module_product_expiry msgid "Products Expiry Date" -msgstr "" +msgstr "Ürün Son Kullanma Tarihi" #. module: base #: model:ir.module.module,description:base.module_account @@ -9605,17 +9652,17 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_base_synchro msgid "Multi-DB Synchronization" -msgstr "" +msgstr "Çoklu-Veritabanı Senkronizasyonu" #. module: base #: selection:ir.module.module,complexity:0 msgid "Expert" -msgstr "" +msgstr "Uzman" #. module: base #: model:ir.module.module,shortdesc:base.module_hr_holidays msgid "Leaves Management" -msgstr "" +msgstr "İzinlerin Yönetimi" #. module: base #: view:ir.actions.todo:0 @@ -9646,6 +9693,9 @@ msgid "" "Todo list for CRM leads and opportunities.\n" " " msgstr "" +"\n" +"CRM fırsatları için yapılacaklar listesi.\n" +" " #. module: base #: field:ir.actions.act_window.view,view_id:0 @@ -9658,7 +9708,7 @@ msgstr "Görünüm" #. module: base #: model:ir.module.module,shortdesc:base.module_wiki_sale_faq msgid "Wiki: Sale FAQ" -msgstr "" +msgstr "wiki:Satış SSS" #. module: base #: selection:ir.module.module,state:0 @@ -9684,7 +9734,7 @@ msgstr "Taban" #: field:ir.model.data,model:0 #: field:ir.values,model:0 msgid "Model Name" -msgstr "" +msgstr "Model Adı" #. module: base #: selection:base.language.install,lang:0 @@ -9764,7 +9814,7 @@ msgstr "Monako" #. module: base #: view:base.module.import:0 msgid "Please be patient, this operation may take a few minutes..." -msgstr "" +msgstr "Lütfen sabırlı olun, Bu işlem birkaç dakika alabilir..." #. module: base #: selection:ir.cron,interval_type:0 @@ -9774,7 +9824,7 @@ msgstr "Dakika" #. module: base #: view:res.currency:0 msgid "Display" -msgstr "" +msgstr "Görüntüle" #. module: base #: selection:ir.translation,type:0 @@ -9791,17 +9841,17 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_google_map msgid "Google Maps on Customers" -msgstr "" +msgstr "Cariler için Google Haritaları" #. module: base #: model:ir.actions.report.xml,name:base.preview_report msgid "Preview Report" -msgstr "" +msgstr "Raporu Önizleme" #. module: base #: model:ir.module.module,shortdesc:base.module_purchase_analytic_plans msgid "Purchase Analytic Plans" -msgstr "" +msgstr "Satınalma Analitik Planları" #. module: base #: model:ir.module.module,description:base.module_analytic_journal_billing_rate @@ -9889,7 +9939,7 @@ msgstr "Hafta" #: code:addons/base/res/res_company.py:157 #, python-format msgid "VAT: " -msgstr "" +msgstr "VNO: " #. module: base #: model:res.country,name:base.af @@ -9906,12 +9956,12 @@ msgstr "Hata !" #. module: base #: model:ir.module.module,shortdesc:base.module_marketing_campaign_crm_demo msgid "Marketing Campaign - Demo" -msgstr "" +msgstr "Pazarlama Kampanyası - Demo" #. module: base #: model:ir.module.module,shortdesc:base.module_fetchmail_hr_recruitment msgid "eMail Gateway for Applicants" -msgstr "" +msgstr "Uygulamalar için e-posta köprüsü" #. module: base #: field:ir.cron,interval_type:0 @@ -9933,14 +9983,14 @@ msgstr "Bu yöntem artık mevcut değil" #. module: base #: model:ir.module.module,shortdesc:base.module_import_google msgid "Google Import" -msgstr "" +msgstr "Google'dan al" #. module: base #: view:base.update.translations:0 #: model:ir.actions.act_window,name:base.action_wizard_update_translations #: model:ir.ui.menu,name:base.menu_wizard_update_translations msgid "Synchronize Terms" -msgstr "" +msgstr "Terimleri Senkronize et" #. module: base #: field:res.lang,thousands_sep:0 @@ -9971,7 +10021,7 @@ msgstr "Vazgeç" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_cn msgid "中国会计科目表 - Accounting" -msgstr "" +msgstr "Çin - Muhasebe" #. module: base #: view:ir.model.access:0 @@ -9991,12 +10041,12 @@ msgstr "" #. module: base #: help:ir.model.data,res_id:0 msgid "ID of the target record in the database" -msgstr "" +msgstr "Veritabanındaki hedef kaydın IDsi" #. module: base #: model:ir.module.module,shortdesc:base.module_account_analytic_analysis msgid "Contracts Management" -msgstr "" +msgstr "Şözleşmelerin Yönetimi" #. module: base #: selection:base.language.install,lang:0 @@ -10021,7 +10071,7 @@ msgstr "Yapılacaklar" #. module: base #: model:ir.module.module,shortdesc:base.module_product_visible_discount msgid "Prices Visible Discounts" -msgstr "" +msgstr "Görünür Fiyat indirimleri" #. module: base #: field:ir.attachment,datas:0 @@ -10095,12 +10145,12 @@ msgstr "Hizmet Adı" #. module: base #: model:ir.module.module,shortdesc:base.module_import_base msgid "Framework for complex import" -msgstr "" +msgstr "Kompleks içeri aktarımlar için çerçeve" #. module: base #: view:ir.actions.todo.category:0 msgid "Wizard Category" -msgstr "" +msgstr "Sihirbaz Kategorisi" #. module: base #: model:ir.module.module,description:base.module_account_cancel @@ -10134,7 +10184,7 @@ msgstr "Yılın günü: %(doy)s" #: model:ir.module.category,name:base.module_category_portal #: model:ir.module.module,shortdesc:base.module_portal msgid "Portal" -msgstr "" +msgstr "Portal" #. module: base #: model:ir.module.module,description:base.module_claim_from_delivery @@ -10145,6 +10195,8 @@ msgid "" "\n" "Adds a Claim link to the delivery order.\n" msgstr "" +"\n" +"Sevkiyattan şikayet oluştur\n" #. module: base #: view:ir.model:0 @@ -10222,7 +10274,7 @@ msgstr "" #. module: base #: help:res.company,bank_ids:0 msgid "Bank accounts related to this company" -msgstr "" +msgstr "Bu şirketle ilişkili banka hesapları" #. module: base #: model:ir.ui.menu,name:base.menu_base_partner @@ -10313,6 +10365,8 @@ msgid "" "\n" "Using this you can directly open Google Map from the URL widget." msgstr "" +"\n" +"Bu modül cari adresine Google Map alanı ekler" #. module: base #: field:workflow.activity,action:0 @@ -10413,7 +10467,7 @@ msgstr "" #. module: base #: model:ir.model,name:base.model_ir_actions_todo_category msgid "Configuration Wizard Category" -msgstr "" +msgstr "Yapılandırma Sihirbazı Kategorisi" #. module: base #: view:base.module.update:0 @@ -10454,7 +10508,7 @@ msgstr "" #. module: base #: model:ir.model,name:base.model_ir_mail_server msgid "ir.mail_server" -msgstr "" +msgstr "ir.mail_server" #. module: base #: selection:base.language.install,lang:0 @@ -10499,7 +10553,7 @@ msgstr "Ülke eyaleti" #. module: base #: model:ir.ui.menu,name:base.next_id_5 msgid "Sequences & Identifiers" -msgstr "" +msgstr "Seri Noları & Tanımlayıcılar" #. module: base #: model:ir.module.module,description:base.module_l10n_th @@ -10520,7 +10574,7 @@ msgstr "Saint Kitts ve Nevis Federasyonu" #. module: base #: model:ir.module.category,name:base.module_category_point_of_sale msgid "Point of Sales" -msgstr "" +msgstr "Satış Noktası" #. module: base #: model:ir.module.module,description:base.module_hr_payroll_account @@ -10696,7 +10750,7 @@ msgstr "Pakistan" #. module: base #: model:ir.module.module,shortdesc:base.module_hr msgid "Employee Address Book" -msgstr "" +msgstr "Çalışanlar Adres Defteri" #. module: base #: model:res.country,name:base.al @@ -10723,7 +10777,7 @@ msgstr "" #. module: base #: model:ir.module.category,name:base.module_category_hidden_links msgid "Links" -msgstr "" +msgstr "Linkler" #. module: base #: view:base.language.install:0 @@ -10836,7 +10890,7 @@ msgstr "ID leri temizlemek istiyor musunuz ? " #. module: base #: view:res.partner.bank:0 msgid "Information About the Bank" -msgstr "" +msgstr "Banka Hakkında Bilgi" #. module: base #: help:ir.actions.server,condition:0 @@ -10947,7 +11001,7 @@ msgstr "Arapça / الْعَرَبيّ" #. module: base #: model:ir.module.module,shortdesc:base.module_web_hello msgid "Hello" -msgstr "" +msgstr "Merhaba" #. module: base #: view:ir.actions.configuration.wizard:0 @@ -10962,7 +11016,7 @@ msgstr "Açıklamalar" #. module: base #: model:res.groups,name:base.group_hr_manager msgid "HR Manager" -msgstr "" +msgstr "İK Müdürü" #. module: base #: view:ir.filters:0 @@ -10976,7 +11030,7 @@ msgstr "Alan adı" #. module: base #: model:ir.module.module,shortdesc:base.module_marketing_campaign msgid "Marketing Campaigns" -msgstr "" +msgstr "Pazarlama Kampanyaları" #. module: base #: code:addons/base/publisher_warranty/publisher_warranty.py:144 @@ -10997,7 +11051,7 @@ msgstr "Eyalet Adı" #. module: base #: view:res.lang:0 msgid "Update Languague Terms" -msgstr "" +msgstr "Dil Terimlerini Güncelle" #. module: base #: field:workflow.activity,join_mode:0 @@ -11012,7 +11066,7 @@ msgstr "Zaman Dilimi" #. module: base #: model:ir.module.module,shortdesc:base.module_wiki_faq msgid "Wiki: Internal FAQ" -msgstr "" +msgstr "Wiki: İç SSS" #. module: base #: model:ir.model,name:base.model_ir_actions_report_xml @@ -11105,7 +11159,7 @@ msgstr "Normal" #. module: base #: model:ir.module.module,shortdesc:base.module_purchase_double_validation msgid "Double Validation on Purchases" -msgstr "" +msgstr "Satınalmalarda Çifte Onaylama" #. module: base #: field:res.bank,street2:0 @@ -11237,7 +11291,7 @@ msgstr "Somali" #. module: base #: model:ir.module.module,shortdesc:base.module_mrp_operations msgid "Manufacturing Operations" -msgstr "" +msgstr "Üretim İşlemleri" #. module: base #: selection:publisher_warranty.contract,state:0 @@ -11326,12 +11380,12 @@ msgstr "Doğru EAN13" #. module: base #: selection:res.company,paper_format:0 msgid "A4" -msgstr "" +msgstr "A4" #. module: base #: field:publisher_warranty.contract,check_support:0 msgid "Support Level 1" -msgstr "" +msgstr "Seviye 1 Destek" #. module: base #: field:res.partner,customer:0 @@ -11435,7 +11489,7 @@ msgstr "Tunus" #. module: base #: view:ir.actions.todo:0 msgid "Wizards to be Launched" -msgstr "" +msgstr "Çalıştırılacak Sihirbaz" #. module: base #: model:ir.module.category,name:base.module_category_manufacturing @@ -11451,7 +11505,7 @@ msgstr "Komorlar" #. module: base #: view:res.request:0 msgid "Draft and Active" -msgstr "" +msgstr "Taslak ve Aktif yap" #. module: base #: model:ir.actions.act_window,name:base.action_server_action @@ -11478,7 +11532,7 @@ msgstr "Doğru Ebeveyn" #. module: base #: model:ir.module.module,shortdesc:base.module_auth_openid msgid "OpenID Authentification" -msgstr "" +msgstr "OpenID Kimlik doğrulaması" #. module: base #: model:ir.module.module,description:base.module_thunderbird @@ -11508,12 +11562,12 @@ msgstr "Nesneyi Kopyala" #. module: base #: model:ir.module.module,shortdesc:base.module_mail msgid "Emails Management" -msgstr "" +msgstr "E-postaların Yönetimi" #. module: base #: field:ir.actions.server,trigger_name:0 msgid "Trigger Signal" -msgstr "" +msgstr "Tetikleme Sinyali" #. module: base #: code:addons/base/res/res_users.py:119 @@ -11583,7 +11637,7 @@ msgstr "Tablo Referansı" #: code:addons/base/ir/ir_mail_server.py:444 #, python-format msgid "Mail delivery failed" -msgstr "" +msgstr "Posta gönderimi yapılamadı" #. module: base #: field:ir.actions.act_window,res_model:0 @@ -11623,7 +11677,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_account_analytic_plans msgid "Multiple Analytic Plans" -msgstr "" +msgstr "Çoklu analitik plan" #. module: base #: model:ir.module.module,description:base.module_project_timesheet @@ -11653,7 +11707,7 @@ msgstr "Zamanlayıcı" #. module: base #: model:ir.module.module,shortdesc:base.module_base_tools msgid "Base Tools" -msgstr "" +msgstr "Temel Araçlar" #. module: base #: help:res.country,address_format:0 @@ -11761,7 +11815,7 @@ msgstr "Yapılandırma" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_in msgid "India - Accounting" -msgstr "" +msgstr "Hindistan - Muhasebe" #. module: base #: field:ir.actions.server,expression:0 @@ -11776,12 +11830,12 @@ msgstr "Başlangıç Tarihi" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_gt msgid "Guatemala - Accounting" -msgstr "" +msgstr "Guetemala - Muhasebe" #. module: base #: help:ir.cron,args:0 msgid "Arguments to be passed to the method, e.g. (uid,)." -msgstr "" +msgstr "Metoda (fonsiyona) gönderilecek argümanlar ör: (uid,)." #. module: base #: report:ir.module.reference.graph:0 @@ -11913,7 +11967,7 @@ msgstr "Geçersiz arama kriterleri" #. module: base #: view:ir.mail_server:0 msgid "Connection Information" -msgstr "" +msgstr "Bağlantı Bilgileri" #. module: base #: view:ir.attachment:0 @@ -11945,6 +11999,8 @@ msgid "" "External Key/Identifier that can be used for data integration with third-" "party systems" msgstr "" +"Diğer sistemlerle veri entegrasyonu sağlarken kullanılacak Dış " +"Anahtar/Belirteç" #. module: base #: model:ir.module.module,description:base.module_mrp_operations @@ -12047,12 +12103,12 @@ msgstr "Görünüm Referansı" #. module: base #: model:ir.module.category,description:base.module_category_sales_management msgid "Helps you handle your quotations, sale orders and invoicing." -msgstr "" +msgstr "Teklifleri, sipariş emirlerini ve faturalarınızı yönetmenizi sağlar" #. module: base #: field:res.groups,implied_ids:0 msgid "Inherits" -msgstr "" +msgstr "Miras alır" #. module: base #: selection:ir.translation,type:0 @@ -12062,7 +12118,7 @@ msgstr "Seçim" #. module: base #: field:ir.module.module,icon:0 msgid "Icon URL" -msgstr "" +msgstr "Simge URL'si" #. module: base #: field:ir.actions.act_window,type:0 @@ -12138,7 +12194,7 @@ msgstr "Kosta Rika" #. module: base #: model:ir.module.module,shortdesc:base.module_base_module_doc_rst msgid "Generate Docs of Modules" -msgstr "" +msgstr "Modül dökümanları oluştur" #. module: base #: model:res.company,overdue_msg:base.main_company @@ -12154,7 +12210,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_users_ldap msgid "Authentication via LDAP" -msgstr "" +msgstr "LDAP ile kimlik doğrulama" #. module: base #: view:workflow.activity:0 @@ -12237,11 +12293,21 @@ msgid "" "If you need to manage your meetings, you should install the CRM module.\n" " " msgstr "" +"\n" +"Tam fonksiyonlu bir takvim uygulamasıdır.\n" +"========================================\n" +"\n" +"Özellikleri:\n" +" - Etkinlik Takvimi\n" +" - Uyarılar\n" +" - Tekrar eden girişler\n" +" - Kişilere davetiye gönderme\n" +" " #. module: base #: view:ir.rule:0 msgid "Rule definition (domain filter)" -msgstr "" +msgstr "Kural Tanımı (alan filtresi)" #. module: base #: model:ir.model,name:base.model_workflow_instance @@ -12289,12 +12355,12 @@ msgstr "Kontrol Panelleri" #. module: base #: model:ir.module.module,shortdesc:base.module_procurement msgid "Procurements" -msgstr "" +msgstr "Satınalmalar" #. module: base #: model:ir.module.module,shortdesc:base.module_hr_payroll_account msgid "Payroll Accounting" -msgstr "" +msgstr "Bordro Muhasebesi" #. module: base #: help:ir.attachment,type:0 @@ -12304,12 +12370,12 @@ msgstr "Çalıştırılabilir dosya ya da dış URL" #. module: base #: model:ir.module.module,shortdesc:base.module_sale_order_dates msgid "Dates on Sales Order" -msgstr "" +msgstr "Satış Siparişindeki Tarihler" #. module: base #: view:ir.attachment:0 msgid "Creation Month" -msgstr "" +msgstr "Oluşturma Ayı" #. module: base #: model:res.country,name:base.nl @@ -12340,12 +12406,12 @@ msgstr "Alt Seviye Nesneleri" #. module: base #: help:ir.values,model:0 msgid "Model to which this entry applies" -msgstr "" +msgstr "Bu girdinin uygulandığı Model" #. module: base #: field:res.country,address_format:0 msgid "Address Format" -msgstr "" +msgstr "Adres Biçimi" #. module: base #: model:ir.model,name:base.model_ir_values @@ -12355,7 +12421,7 @@ msgstr "ir.values" #. module: base #: model:res.groups,name:base.group_no_one msgid "Technical Features" -msgstr "" +msgstr "Teknik Özellikler" #. module: base #: selection:base.language.install,lang:0 @@ -12375,7 +12441,7 @@ msgstr "" #: view:ir.model.data:0 #: model:ir.ui.menu,name:base.ir_model_data_menu msgid "External Identifiers" -msgstr "" +msgstr "Dış Tanımlayıcılar" #. module: base #: model:res.groups,name:base.group_sale_salesman @@ -12448,7 +12514,7 @@ msgstr "Yunanistan" #. module: base #: view:res.config:0 msgid "Apply" -msgstr "" +msgstr "Uygula" #. module: base #: field:res.request,trigger_date:0 @@ -12472,11 +12538,14 @@ msgid "" " OpenERP Web kanban view.\n" " " msgstr "" +"\n" +" OpenERP Web kanban ekranı.\n" +" " #. module: base #: model:ir.ui.menu,name:base.menu_project_management_time_tracking msgid "Time Tracking" -msgstr "" +msgstr "Zaman İzleme" #. module: base #: view:res.partner.category:0 @@ -12495,6 +12564,8 @@ msgid "" "Helps you manage your inventory and main stock operations: delivery orders, " "receptions, etc." msgstr "" +"Stoklarınızı ve ana stok işlemlerinizi: sevkiyat emirleri, kabuller, v.s. " +"yönetmenize yardım eder" #. module: base #: model:ir.model,name:base.model_base_module_update @@ -12609,7 +12680,7 @@ msgstr "Gövde" #: code:addons/base/ir/ir_mail_server.py:200 #, python-format msgid "Connection test succeeded!" -msgstr "" +msgstr "Bağlantı denemesi Başarılı!" #. module: base #: view:partner.massmail.wizard:0 @@ -12652,7 +12723,7 @@ msgstr "" #. module: base #: view:ir.attachment:0 msgid "Filter on my documents" -msgstr "" +msgstr "Dökümanlarımdaki filtreler" #. module: base #: help:ir.actions.server,code:0 @@ -12691,7 +12762,7 @@ msgstr "Gabon" #. module: base #: model:res.groups,name:base.group_multi_company msgid "Multi Companies" -msgstr "" +msgstr "Çoklu Şirketler" #. module: base #: view:ir.model:0 @@ -12710,7 +12781,7 @@ msgstr "Hintçe / हिंदी" #. module: base #: model:res.groups,name:base.group_sale_salesman_all_leads msgid "User - All Leads" -msgstr "" +msgstr "Kullanıcı - Tüm Talepler" #. module: base #: field:res.partner.bank,acc_number:0 @@ -12727,7 +12798,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_th msgid "Thailand - Accounting" -msgstr "" +msgstr "Tayland - Muhasebe" #. module: base #: view:res.lang:0 @@ -12791,12 +12862,12 @@ msgstr "Seçenekler" #. module: base #: view:res.company:0 msgid "Set Bank Accounts" -msgstr "" +msgstr "Banka hesabını ayarla" #. module: base #: field:ir.actions.client,tag:0 msgid "Client action tag" -msgstr "" +msgstr "Müşteri eylem etiketi" #. module: base #: code:addons/base/res/res_lang.py:189 @@ -12807,7 +12878,7 @@ msgstr "Kullanıcının varsayılan dili olarak seçilmiş bir dili silemezsiniz #. module: base #: field:ir.values,model_id:0 msgid "Model (change only)" -msgstr "" +msgstr "Model (sadece değiştir)" #. module: base #: model:ir.module.module,description:base.module_marketing_campaign_crm_demo @@ -12825,7 +12896,7 @@ msgstr "" #: selection:ir.actions.act_window.view,view_mode:0 #: selection:ir.ui.view,type:0 msgid "Kanban" -msgstr "" +msgstr "Kanban" #. module: base #: code:addons/base/ir/ir_model.py:246 @@ -12838,12 +12909,12 @@ msgstr "" #. module: base #: view:ir.filters:0 msgid "Current User" -msgstr "" +msgstr "Geçerli Kullanıcı" #. module: base #: field:res.company,company_registry:0 msgid "Company Registry" -msgstr "" +msgstr "Vergi Dairesi" #. module: base #: view:ir.actions.report.xml:0 @@ -12855,7 +12926,7 @@ msgstr "Çeşitli" #: view:ir.mail_server:0 #: model:ir.ui.menu,name:base.menu_mail_servers msgid "Outgoing Mail Servers" -msgstr "" +msgstr "Giden E-posta Sunucuları" #. module: base #: model:res.country,name:base.cn @@ -12868,6 +12939,7 @@ msgid "" "The object that should receive the workflow signal (must have an associated " "workflow)" msgstr "" +"İşakışı sinyalini alması gereken nesne (ilişkili bir işakışı olması gerekir)" #. module: base #: model:ir.module.category,description:base.module_category_account_voucher @@ -12875,6 +12947,9 @@ msgid "" "Allows you to create your invoices and track the payments. It is an easier " "version of the accounting module for managers who are not accountants." msgstr "" +"Faturalarınızı oluşturmanızı ve ödemelerinizi takip edebilmenize olanak " +"sağlar. Muhasebe modülünün daha basitleştirilmiş halidir. Muhasebeci " +"olmayanlar için tavsiye edilir." #. module: base #: model:res.country,name:base.eh @@ -12884,7 +12959,7 @@ msgstr "Batı Sahra" #. module: base #: model:ir.module.category,name:base.module_category_account_voucher msgid "Invoicing & Payments" -msgstr "" +msgstr "Faturalama & Ödemeler" #. module: base #: model:ir.actions.act_window,help:base.action_res_company_form @@ -12892,6 +12967,8 @@ msgid "" "Create and manage the companies that will be managed by OpenERP from here. " "Shops or subsidiaries can be created and maintained from here." msgstr "" +"OpenERP tarafından yönetilecek şirketleri oluşturup yönetebilirsiniz. " +"Dükkanlar ve şubeler buradan oluşturulup yönetilebilir." #. module: base #: model:res.country,name:base.id @@ -13084,7 +13161,7 @@ msgstr "" #. module: base #: field:res.partner.bank,bank_name:0 msgid "Bank Name" -msgstr "" +msgstr "Banka Adı" #. module: base #: model:res.country,name:base.ki @@ -13163,7 +13240,7 @@ msgstr "CSV (Virgül İle Ayrılmış Değerler) Dosyası" #: code:addons/base/res/res_company.py:154 #, python-format msgid "Phone: " -msgstr "" +msgstr "Telefon: " #. module: base #: field:res.company,account_no:0 @@ -13202,7 +13279,7 @@ msgstr "" #. module: base #: field:res.company,vat:0 msgid "Tax ID" -msgstr "" +msgstr "Vergi NO" #. module: base #: field:ir.model.fields,field_description:0 @@ -13315,7 +13392,7 @@ msgstr "Etkinlikler" #. module: base #: model:ir.module.module,shortdesc:base.module_product msgid "Products & Pricelists" -msgstr "" +msgstr "Ürünler & Fiyat Listeleri" #. module: base #: field:ir.actions.act_window,auto_refresh:0 @@ -13356,12 +13433,12 @@ msgstr "kaydı kolayca bulabilmeniz için isimlendirin" #. module: base #: model:ir.module.module,shortdesc:base.module_web_calendar msgid "web calendar" -msgstr "" +msgstr "web takvimi" #. module: base #: field:ir.model.data,name:0 msgid "External Identifier" -msgstr "" +msgstr "Dış Tanımlayıcı" #. module: base #: model:ir.actions.act_window,name:base.grant_menu_access @@ -13392,7 +13469,7 @@ msgstr "İşlemler" #. module: base #: model:ir.module.module,shortdesc:base.module_delivery msgid "Delivery Costs" -msgstr "" +msgstr "Navlun" #. module: base #: code:addons/base/ir/ir_cron.py:292 @@ -13401,6 +13478,8 @@ msgid "" "This cron task is currently being executed and may not be modified, please " "try again in a few minutes" msgstr "" +"Bu cron görevi halhazırda çalışıtığı için değiştirilemez, Lütfen birkaç " +"dakika sonra tekrar deneyin" #. module: base #: model:ir.module.module,description:base.module_product_expiry @@ -13426,7 +13505,7 @@ msgstr "Dışa Aktar" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_nl msgid "Netherlands - Accounting" -msgstr "" +msgstr "Hollanda - Muhasebe" #. module: base #: field:res.bank,bic:0 @@ -13452,7 +13531,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_base_crypt msgid "DB Password Encryption" -msgstr "" +msgstr "Veritabanı Şifre Kriptolama" #. module: base #: help:ir.actions.report.xml,header:0 @@ -13494,7 +13573,7 @@ msgstr "Teknik klavuz" #. module: base #: view:res.company:0 msgid "Address Information" -msgstr "" +msgstr "Adres Bilgisi" #. module: base #: model:res.country,name:base.tz @@ -13519,7 +13598,7 @@ msgstr "Christmas Adası" #. module: base #: model:ir.module.module,shortdesc:base.module_web_livechat msgid "Live Chat Support" -msgstr "" +msgstr "Canlı Sohbet Desteği" #. module: base #: view:ir.actions.server:0 @@ -13538,11 +13617,14 @@ msgid "" " OpenERP Web dashboard view.\n" " " msgstr "" +"\n" +" OpenERP Web Kontrol paneli ekranı.\n" +" " #. module: base #: view:res.partner:0 msgid "Supplier Partners" -msgstr "" +msgstr "Tedarikçi Cariler" #. module: base #: view:res.config.installer:0 @@ -13581,7 +13663,7 @@ msgstr "EAN Kontrolü" #. module: base #: view:res.partner:0 msgid "Customer Partners" -msgstr "" +msgstr "Müşteri Cariler" #. module: base #: sql_constraint:res.users:0 @@ -13647,7 +13729,7 @@ msgstr "Dahili Üstbilgi/Altbilgi" #. module: base #: model:ir.module.module,shortdesc:base.module_crm msgid "CRM" -msgstr "" +msgstr "CRM" #. module: base #: code:addons/base/module/wizard/base_export_language.py:59 @@ -13715,7 +13797,7 @@ msgstr "" #. module: base #: selection:ir.mail_server,smtp_encryption:0 msgid "TLS (STARTTLS)" -msgstr "" +msgstr "TLS (STARTTLS)" #. module: base #: help:ir.actions.act_window,usage:0 @@ -13835,12 +13917,12 @@ msgstr "" #. module: base #: model:ir.module.module,description:base.module_auth_openid msgid "Allow users to login through OpenID." -msgstr "" +msgstr "Kullanıcıların OpenID ile giriş yapmasına olanak verir." #. module: base #: model:ir.module.module,shortdesc:base.module_account_payment msgid "Suppliers Payment Management" -msgstr "" +msgstr "Tedarikçi Ödeme Yönetimi" #. module: base #: model:res.country,name:base.sv @@ -13882,7 +13964,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_report_designer msgid "Report Designer" -msgstr "" +msgstr "Rapor Tasarımcısı" #. module: base #: model:ir.ui.menu,name:base.menu_address_book @@ -13912,6 +13994,9 @@ msgid "" " OpenERP Web calendar view.\n" " " msgstr "" +"\n" +" OpenERP Web takvim ekranı.\n" +" " #. module: base #: model:ir.ui.menu,name:base.menu_crm_config_lead @@ -13948,7 +14033,7 @@ msgstr "Nesne İlişkisi" #. module: base #: model:ir.module.module,shortdesc:base.module_account_voucher msgid "eInvoicing & Payments" -msgstr "" +msgstr "e-Faturalama & Ödemeler" #. module: base #: field:res.partner,child_ids:0 @@ -13996,7 +14081,7 @@ msgstr "Kayna Nesne" #. module: base #: model:ir.module.module,shortdesc:base.module_crm_helpdesk msgid "Helpdesk" -msgstr "" +msgstr "Danışma Masası" #. module: base #: model:ir.actions.act_window,help:base.grant_menu_access @@ -14020,7 +14105,7 @@ msgstr "Alt Alan" #. module: base #: view:ir.rule:0 msgid "Detailed algorithm:" -msgstr "" +msgstr "Detaylı Algoritma:" #. module: base #: field:ir.actions.act_window,usage:0 @@ -14041,7 +14126,7 @@ msgstr "workflow.workitem" #. module: base #: model:ir.module.module,shortdesc:base.module_profile_tools msgid "Miscellaneous Tools" -msgstr "" +msgstr "Çeşitli Araçlar" #. module: base #: model:ir.module.category,description:base.module_category_tools @@ -14099,17 +14184,17 @@ msgstr "'%s' alanını çıkaramazsınız !" #. module: base #: view:res.users:0 msgid "Allowed Companies" -msgstr "" +msgstr "İzin verilmiş Şirketler" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_de msgid "Deutschland - Accounting" -msgstr "" +msgstr "Almanya - Muhasebe" #. module: base #: model:ir.module.module,shortdesc:base.module_auction msgid "Auction Houses" -msgstr "" +msgstr "Müzayede Salonları" #. module: base #: field:ir.ui.menu,web_icon:0 @@ -14125,7 +14210,7 @@ msgstr "Planlanmış Güncellemeleri Uygula" #. module: base #: model:ir.module.module,shortdesc:base.module_sale_journal msgid "Invoicing Journals" -msgstr "" +msgstr "Faturalama Yevmiye Defterleri" #. module: base #: selection:base.language.install,lang:0 @@ -14186,6 +14271,10 @@ msgid "" " This module provides the core of the OpenERP web client.\n" " " msgstr "" +"\n" +" OpenERP Web çekirdek modülü.\n" +" Bu modül OpenERP web istemcisi için çekirdek fonksiyonları sağlar.\n" +" " #. module: base #: sql_constraint:res.country:0 @@ -14223,7 +14312,7 @@ msgstr "Aruba" #: code:addons/base/module/wizard/base_module_import.py:60 #, python-format msgid "File is not a zip file!" -msgstr "" +msgstr "Dosya bir zip dosyası değil!" #. module: base #: model:res.country,name:base.ar @@ -14257,7 +14346,7 @@ msgstr "Bahreyn" #. module: base #: model:ir.module.module,shortdesc:base.module_web msgid "web" -msgstr "" +msgstr "web" #. module: base #: field:res.bank,fax:0 @@ -14331,7 +14420,7 @@ msgstr "Şirket" #. module: base #: model:ir.module.category,name:base.module_category_report_designer msgid "Advanced Reporting" -msgstr "" +msgstr "Gelişmiş Raporlama" #. module: base #: selection:ir.actions.act_window,target:0 @@ -14362,7 +14451,7 @@ msgstr "Satış Sonrası Servisler" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_fr msgid "France - Accounting" -msgstr "" +msgstr "Fransa - Muhasebe" #. module: base #: view:ir.actions.todo:0 @@ -14372,7 +14461,7 @@ msgstr "Çalıştır" #. module: base #: model:ir.module.module,shortdesc:base.module_caldav msgid "Share Calendar using CalDAV" -msgstr "" +msgstr "Takvimi CalDAV ile paylaş" #. module: base #: model:res.country,name:base.gl @@ -14393,7 +14482,7 @@ msgstr "Jamaika" #: field:res.partner,color:0 #: field:res.partner.address,color:0 msgid "Color Index" -msgstr "" +msgstr "Renk İndeksi" #. module: base #: model:ir.actions.act_window,help:base.action_partner_category_form @@ -14422,12 +14511,12 @@ msgstr "Uyarı" #. module: base #: model:ir.module.module,shortdesc:base.module_edi msgid "Electronic Data Interchange (EDI)" -msgstr "" +msgstr "Elektronik Veri Değiş tokuşu (EDI)" #. module: base #: model:ir.module.category,name:base.module_category_tools msgid "Extra Tools" -msgstr "" +msgstr "Ek Araçlar" #. module: base #: model:res.country,name:base.vg @@ -14500,7 +14589,7 @@ msgstr "Çekce / Čeština" #. module: base #: model:ir.module.category,name:base.module_category_generic_modules msgid "Generic Modules" -msgstr "" +msgstr "Jenerik Modüller" #. module: base #: model:ir.actions.act_window,help:base.action_partner_supplier_form @@ -14618,7 +14707,7 @@ msgstr "" #. module: base #: model:ir.module.module,shortdesc:base.module_thunderbird msgid "Thunderbird Plug-In" -msgstr "" +msgstr "Thunderbird Eklentisi" #. module: base #: model:ir.model,name:base.model_res_country @@ -14636,7 +14725,7 @@ msgstr "Ülke" #. module: base #: model:ir.module.module,shortdesc:base.module_project_messages msgid "In-Project Messaging System" -msgstr "" +msgstr "Proje içi mesajlaşma sistemi" #. module: base #: model:res.country,name:base.pn @@ -14669,7 +14758,7 @@ msgstr "" #: view:res.partner:0 #: view:res.partner.address:0 msgid "Change Color" -msgstr "" +msgstr "Renk Değiştir" #. module: base #: view:ir.actions.act_window:0 @@ -14763,7 +14852,7 @@ msgstr "ir.actions.server" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_ca msgid "Canada - Accounting" -msgstr "" +msgstr "Kanada - Muhasebe" #. module: base #: model:ir.actions.act_window,name:base.act_ir_actions_todo_form @@ -14797,12 +14886,12 @@ msgstr "Yerelleştirme" #. module: base #: field:ir.sequence,implementation:0 msgid "Implementation" -msgstr "" +msgstr "Gerçekleştirme" #. module: base #: model:ir.module.module,shortdesc:base.module_l10n_ve msgid "Venezuela - Accounting" -msgstr "" +msgstr "Venezuela - Muhasebe" #. module: base #: model:res.country,name:base.cl @@ -14834,12 +14923,12 @@ msgstr "Görünüm Adı" #. module: base #: model:ir.module.module,shortdesc:base.module_document_ftp msgid "Shared Repositories (FTP)" -msgstr "" +msgstr "Ortak Havuz (FTP)" #. module: base #: model:ir.model,name:base.model_res_groups msgid "Access Groups" -msgstr "" +msgstr "Erişim Grupları" #. module: base #: selection:base.language.install,lang:0 @@ -14955,6 +15044,7 @@ msgid "" "Helps you manage your manufacturing processes and generate reports on those " "processes." msgstr "" +"Üretim süreçlerinizi yönetmeyi ve üretim süreçlerini raporlamanızı sağlar." #. module: base #: help:ir.sequence,number_increment:0 @@ -14999,7 +15089,7 @@ msgstr "Corp." #. module: base #: model:ir.module.module,shortdesc:base.module_purchase_requisition msgid "Purchase Requisitions" -msgstr "" +msgstr "Satınalma İstekleri" #. module: base #: selection:ir.cron,interval_type:0 @@ -15020,7 +15110,7 @@ msgstr "Ortaklar: " #. module: base #: field:res.partner.bank,name:0 msgid "Bank Account" -msgstr "" +msgstr "Banka Hesabı" #. module: base #: model:res.country,name:base.kp @@ -15041,17 +15131,17 @@ msgstr "Bağlam" #. module: base #: model:ir.module.module,shortdesc:base.module_sale_mrp msgid "Sales and MRP Management" -msgstr "" +msgstr "Satış ve MRP Yönetimi" #. module: base #: model:ir.actions.act_window,name:base.action_partner_sms_send msgid "Send an SMS" -msgstr "" +msgstr "SMS Gönder" #. module: base #: model:ir.module.module,shortdesc:base.module_stock_invoice_directly msgid "Invoice Picking Directly" -msgstr "" +msgstr "Teslimatı Doğrudan Faturala" #. module: base #: selection:base.language.install,lang:0 From cc1712f620d49c8ff5bd8bdea4298a518ece521e Mon Sep 17 00:00:00 2001 From: "Mayur Maheshwari (OpenERP)" Date: Thu, 12 Jan 2012 11:41:08 +0530 Subject: [PATCH 120/166] [IMP]account_followup: added a separator & nolabel on text field and set a separator above on text area bzr revid: mma@tinyerp.com-20120112061108-njj8qwiotblkt1oz --- addons/account_followup/account_followup_view.xml | 2 +- addons/account_followup/wizard/account_followup_print_view.xml | 3 ++- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/addons/account_followup/account_followup_view.xml b/addons/account_followup/account_followup_view.xml index e6aee02ffdc..4d708dd3119 100644 --- a/addons/account_followup/account_followup_view.xml +++ b/addons/account_followup/account_followup_view.xml @@ -151,8 +151,8 @@ form + - diff --git a/addons/account_followup/wizard/account_followup_print_view.xml b/addons/account_followup/wizard/account_followup_print_view.xml index ce178d9fa24..aa06b888ef6 100644 --- a/addons/account_followup/wizard/account_followup_print_view.xml +++ b/addons/account_followup/wizard/account_followup_print_view.xml @@ -118,7 +118,8 @@ - + + From 5089a678cbcfb2ae700fedd675447af9c85e5cec Mon Sep 17 00:00:00 2001 From: Vo Minh Thu Date: Thu, 12 Jan 2012 09:40:30 +0100 Subject: [PATCH 121/166] [IMP] res_users.login(): eliminate a possibility to get a transaction rollbacked because of concurrent access. This can happen when the same user is trying to log in from many clients concurrently. bzr revid: vmt@openerp.com-20120112084030-kkz1aztp5t6vkbh9 --- gunicorn.conf.py | 2 +- openerp/addons/base/res/res_users.py | 7 ++++++- 2 files changed, 7 insertions(+), 2 deletions(-) diff --git a/gunicorn.conf.py b/gunicorn.conf.py index 9962493d549..aaf48c7fd3a 100644 --- a/gunicorn.conf.py +++ b/gunicorn.conf.py @@ -35,7 +35,7 @@ conf = openerp.tools.config # Path to the OpenERP Addons repository (comma-separated for # multiple locations) -conf['addons_path'] = '/home/openerp/addons/trunk,/home/openerp/web/trunk/addons' +conf['addons_path'] = '/home/thu/repos/addons/trunk-import-hook,/home/thu/repos/web/trunk-import-hook/addons' # Optional database config if not using local socket #conf['db_name'] = 'mycompany' diff --git a/openerp/addons/base/res/res_users.py b/openerp/addons/base/res/res_users.py index 67b9c017acf..8962f6d3859 100644 --- a/openerp/addons/base/res/res_users.py +++ b/openerp/addons/base/res/res_users.py @@ -471,12 +471,17 @@ class users(osv.osv): return False cr = pooler.get_db(db).cursor() try: + # We autocommit: our single request will be performed atomically. + # (In this way, there is no opportunity to have two transactions + # interleaving ther cr.execute()..cr.commit() calls and have one + # of them rollbacked due to a concurrent access.) + # We effectively unconditionally write the res_users line. + cr.autocommit(True) cr.execute("""UPDATE res_users SET date = now() AT TIME ZONE 'UTC' WHERE login=%s AND password=%s AND active RETURNING id""", (tools.ustr(login), tools.ustr(password))) res = cr.fetchone() - cr.commit() if res: return res[0] else: From c92b29e3f9b7151eeddf0ef8109f8c72f7b2304e Mon Sep 17 00:00:00 2001 From: Vo Minh Thu Date: Thu, 12 Jan 2012 09:48:42 +0100 Subject: [PATCH 122/166] [FIX] gunicorn.conf.py: undo the previous change (commited by mistake with another, intended, change). bzr revid: vmt@openerp.com-20120112084842-1xqal5okrmuhyxsu --- gunicorn.conf.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gunicorn.conf.py b/gunicorn.conf.py index aaf48c7fd3a..9962493d549 100644 --- a/gunicorn.conf.py +++ b/gunicorn.conf.py @@ -35,7 +35,7 @@ conf = openerp.tools.config # Path to the OpenERP Addons repository (comma-separated for # multiple locations) -conf['addons_path'] = '/home/thu/repos/addons/trunk-import-hook,/home/thu/repos/web/trunk-import-hook/addons' +conf['addons_path'] = '/home/openerp/addons/trunk,/home/openerp/web/trunk/addons' # Optional database config if not using local socket #conf['db_name'] = 'mycompany' From 12e3ef7fbfd8f3a45f1e995a9261d1d12496a31b Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Thu, 12 Jan 2012 09:49:10 +0100 Subject: [PATCH 123/166] [IMP] add lazier proxy method on CallbackEnabled, use it in WebClient and ListView bzr revid: xmo@openerp.com-20120112084910-6fxbzbgmv51utyko --- addons/web/static/src/js/chrome.js | 6 ++--- addons/web/static/src/js/core.js | 25 +++++++++++++++++++ addons/web/static/src/js/view_list.js | 18 +++++++------ .../web/static/src/js/view_list_editable.js | 7 +++--- 4 files changed, 43 insertions(+), 13 deletions(-) diff --git a/addons/web/static/src/js/chrome.js b/addons/web/static/src/js/chrome.js index 85a7c9f25e3..39ddd0e1ecd 100644 --- a/addons/web/static/src/js/chrome.js +++ b/addons/web/static/src/js/chrome.js @@ -1102,11 +1102,11 @@ openerp.web.WebClient = openerp.web.Widget.extend(/** @lends openerp.web.WebClie self.$table = $(QWeb.render("Interface", {})); self.$element.append(self.$table); self.header = new openerp.web.Header(self); - self.header.on_logout.add(self.on_logout); - self.header.on_action.add(self.on_menu_action); + self.header.on_logout.add(this.proxy('on_logout')); + self.header.on_action.add(this.proxy('on_menu_action')); self.header.appendTo($("#oe_header")); self.menu = new openerp.web.Menu(self, "oe_menu", "oe_secondary_menu"); - self.menu.on_action.add(self.on_menu_action); + self.menu.on_action.add(this.proxy('on_menu_action')); self.menu.start(); }, show_common: function() { diff --git a/addons/web/static/src/js/core.js b/addons/web/static/src/js/core.js index a194c34f287..d5c096d5a2a 100644 --- a/addons/web/static/src/js/core.js +++ b/addons/web/static/src/js/core.js @@ -348,6 +348,31 @@ openerp.web.CallbackEnabled = openerp.web.Class.extend(/** @lends openerp.web.Ca } } } + }, + /** + * Proxies a method of the object, in order to keep the right ``this`` on + * method invocations. + * + * This method is similar to ``Function.prototype.bind`` or ``_.bind``, and + * even more so to ``jQuery.proxy`` with a fundamental difference: its + * resolution of the method being called is lazy, meaning it will use the + * method as it is when the proxy is called, not when the proxy is created. + * + * Other methods will fix the bound method to what it is when creating the + * binding/proxy, which is fine in most javascript code but problematic in + * OpenERP Web where developers may want to replace existing callbacks with + * theirs. + * + * The semantics of this precisely replace closing over the method call. + * + * @param {String} method_name name of the method to invoke + * @returns {Function} proxied method + */ + proxy: function (method_name) { + var self = this; + return function () { + return self[method_name].apply(self, arguments); + } } }); diff --git a/addons/web/static/src/js/view_list.js b/addons/web/static/src/js/view_list.js index 63f9dfd6909..e654b773605 100644 --- a/addons/web/static/src/js/view_list.js +++ b/addons/web/static/src/js/view_list.js @@ -217,11 +217,11 @@ openerp.web.ListView = openerp.web.View.extend( /** @lends openerp.web.ListView# }); this.$element.find('.oe-list-add') - .click(this.do_add_record) + .click(this.proxy('do_add_record')) .attr('disabled', grouped && this.options.editable); this.$element.find('.oe-list-delete') .attr('disabled', true) - .click(this.do_delete_selected); + .click(this.proxy('do_delete_selected')); this.$element.find('thead').delegate('th.oe-sortable[data-id]', 'click', function (e) { e.stopPropagation(); @@ -512,7 +512,7 @@ openerp.web.ListView = openerp.web.View.extend( /** @lends openerp.web.ListView# this.no_leaf = !!context['group_by_no_leaf']; this.reload_view(!!group_by, context).then( - $.proxy(this, 'reload_content')); + this.proxy('reload_content')); }, /** * Handles the signal to delete lines from the records list @@ -795,7 +795,7 @@ openerp.web.ListView.List = openerp.web.Class.extend( /** @lends openerp.web.Lis $row.remove(); self.refresh_zebra(index); }, - 'reset': $.proxy(this, 'on_records_reset'), + 'reset': function () { return self.on_records_reset(); }, 'change': function (event, record) { var $row = self.$current.find('[data-id=' + record.get('id') + ']'); $row.replaceWith(self.render_record(record)); @@ -917,13 +917,15 @@ openerp.web.ListView.List = openerp.web.Class.extend( /** @lends openerp.web.Lis }); }, render: function () { + var self = this; if (this.$current) { this.$current.remove(); } this.$current = this.$_element.clone(true); this.$current.empty().append( QWeb.render('ListView.rows', _.extend({ - render_cell: $.proxy(this, 'render_cell')}, this))); + render_cell: function () { return self.render_cell(); } + }, this))); this.pad_table_to(5); }, pad_table_to: function (count) { @@ -1038,7 +1040,7 @@ openerp.web.ListView.List = openerp.web.Class.extend( /** @lends openerp.web.Lis record: record, row_parity: (index % 2 === 0) ? 'even' : 'odd', view: this.view, - render_cell: $.proxy(this, 'render_cell') + render_cell: function () { return this.render_cell(); } }); }, /** @@ -1092,7 +1094,9 @@ openerp.web.ListView.Groups = openerp.web.Class.extend( /** @lends openerp.web.L this.page = 0; - this.records.bind('reset', $.proxy(this, 'on_records_reset')); + var self = this; + this.records.bind('reset', function () { + return self.on_records_reset(); }); }, make_fragment: function () { return document.createDocumentFragment(); diff --git a/addons/web/static/src/js/view_list_editable.js b/addons/web/static/src/js/view_list_editable.js index daf708104e8..dcbd22fe2bb 100644 --- a/addons/web/static/src/js/view_list_editable.js +++ b/addons/web/static/src/js/view_list_editable.js @@ -211,7 +211,7 @@ openerp.web.list_editable = function (openerp) { .delegate('button', 'keyup', function (e) { e.stopImmediatePropagation(); }) - .keyup($.proxy(self, 'on_row_keyup')); + .keyup(function () { return self.on_row_keyup(); }); if (row) { $new_row.replaceAll(row); } else if (self.options.editable) { @@ -359,7 +359,8 @@ openerp.web.list_editable = function (openerp) { this.render_row_as_form(); }, render_record: function (record) { - var index = this.records.indexOf(record); + var index = this.records.indexOf(record), + self = this; // FIXME: context dict should probably be extracted cleanly return QWeb.render('ListView.row', { columns: this.columns, @@ -367,7 +368,7 @@ openerp.web.list_editable = function (openerp) { record: record, row_parity: (index % 2 === 0) ? 'even' : 'odd', view: this.view, - render_cell: $.proxy(this, 'render_cell'), + render_cell: function () { return self.render_cell(); }, edited: !!this.edition_form }); } From c16b3461b5ec084613a87ba269f65bb8aeadc6db Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Thu, 12 Jan 2012 11:02:06 +0100 Subject: [PATCH 124/166] [FIX] Fixed Data Import Dialog that I previously broke during Dialog refactoring bzr revid: fme@openerp.com-20120112100206-sk9vnsdeqk18ursa --- addons/web/static/src/xml/base.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/xml/base.xml b/addons/web/static/src/xml/base.xml index 642f1f89709..9580b1877a2 100644 --- a/addons/web/static/src/xml/base.xml +++ b/addons/web/static/src/xml/base.xml @@ -1649,7 +1649,7 @@ - +

      1. Import a .CSV file

      Select a .CSV file to import. If you need a sample of file to import, you should use the export tool with the "Import Compatible" option. From f4efb938e2abe2fa3300e64a9ec117c56b5afd59 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Thu, 12 Jan 2012 11:29:41 +0100 Subject: [PATCH 125/166] [FIX] forgot to forward arguments correctly in xmo@openerp.com-20120112084910-6fxbzbgmv51utyko bzr revid: xmo@openerp.com-20120112102941-qa596ufk5nlc2nqp --- addons/web/static/src/js/view_list.js | 6 ++++-- addons/web/static/src/js/view_list_editable.js | 6 ++++-- 2 files changed, 8 insertions(+), 4 deletions(-) diff --git a/addons/web/static/src/js/view_list.js b/addons/web/static/src/js/view_list.js index e654b773605..4e6adbf99cb 100644 --- a/addons/web/static/src/js/view_list.js +++ b/addons/web/static/src/js/view_list.js @@ -924,7 +924,8 @@ openerp.web.ListView.List = openerp.web.Class.extend( /** @lends openerp.web.Lis this.$current = this.$_element.clone(true); this.$current.empty().append( QWeb.render('ListView.rows', _.extend({ - render_cell: function () { return self.render_cell(); } + render_cell: function () { + return self.render_cell.apply(self, arguments); } }, this))); this.pad_table_to(5); }, @@ -1040,7 +1041,8 @@ openerp.web.ListView.List = openerp.web.Class.extend( /** @lends openerp.web.Lis record: record, row_parity: (index % 2 === 0) ? 'even' : 'odd', view: this.view, - render_cell: function () { return this.render_cell(); } + render_cell: function () { + return this.render_cell.apply(this, arguments); } }); }, /** diff --git a/addons/web/static/src/js/view_list_editable.js b/addons/web/static/src/js/view_list_editable.js index dcbd22fe2bb..a26626d8630 100644 --- a/addons/web/static/src/js/view_list_editable.js +++ b/addons/web/static/src/js/view_list_editable.js @@ -211,7 +211,8 @@ openerp.web.list_editable = function (openerp) { .delegate('button', 'keyup', function (e) { e.stopImmediatePropagation(); }) - .keyup(function () { return self.on_row_keyup(); }); + .keyup(function () { + return self.on_row_keyup.apply(self, arguments); }); if (row) { $new_row.replaceAll(row); } else if (self.options.editable) { @@ -368,7 +369,8 @@ openerp.web.list_editable = function (openerp) { record: record, row_parity: (index % 2 === 0) ? 'even' : 'odd', view: this.view, - render_cell: function () { return self.render_cell(); }, + render_cell: function () { + return self.render_cell.apply(self, arguments); }, edited: !!this.edition_form }); } From e216218f443951d172f92f7015e2406ef253dca9 Mon Sep 17 00:00:00 2001 From: Olivier Dony Date: Thu, 12 Jan 2012 11:50:43 +0100 Subject: [PATCH 126/166] [FIX] res.partner.category: merge the 2 classes bearing the same name The name conflict causes the second class to shadow the first one, thus breaking future references to the first one, including any super() call inside it! 6.1 has 2-pass loading of models so we can simply merge the two classes now, and get rid of the issue. bzr revid: odo@openerp.com-20120112105043-ij740gptzu4gv6tw --- openerp/addons/base/res/res_partner.py | 8 +------- 1 file changed, 1 insertion(+), 7 deletions(-) diff --git a/openerp/addons/base/res/res_partner.py b/openerp/addons/base/res/res_partner.py index cc6abb39682..f4a36b46b77 100644 --- a/openerp/addons/base/res/res_partner.py +++ b/openerp/addons/base/res/res_partner.py @@ -87,6 +87,7 @@ class res_partner_category(osv.osv): 'active' : fields.boolean('Active', help="The active field allows you to hide the category without removing it."), 'parent_left' : fields.integer('Left parent', select=True), 'parent_right' : fields.integer('Right parent', select=True), + 'partner_ids': fields.many2many('res.partner', 'res_partner_category_rel', 'category_id', 'partner_id', 'Partners'), } _constraints = [ (osv.osv._check_recursion, 'Error ! You can not create recursive categories.', ['parent_id']) @@ -393,13 +394,6 @@ class res_partner_address(osv.osv): res_partner_address() -class res_partner_category(osv.osv): - _inherit = 'res.partner.category' - _columns = { - 'partner_ids': fields.many2many('res.partner', 'res_partner_category_rel', 'category_id', 'partner_id', 'Partners'), - } - -res_partner_category() # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: From 11d094b452d278f0af870f871c0c9f1d281ceac4 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Thu, 12 Jan 2012 12:09:53 +0100 Subject: [PATCH 127/166] [ADD] Add support for new context key 'calendar_default_' in order to set correct filter in sidebar lp bug: https://launchpad.net/bugs/914195 fixed bzr revid: fme@openerp.com-20120112110953-6aqfd7nrzgp538br --- addons/web_calendar/static/src/js/calendar.js | 22 ++++++++++++++++--- 1 file changed, 19 insertions(+), 3 deletions(-) diff --git a/addons/web_calendar/static/src/js/calendar.js b/addons/web_calendar/static/src/js/calendar.js index d27ec7e454d..fe5799d3aff 100644 --- a/addons/web_calendar/static/src/js/calendar.js +++ b/addons/web_calendar/static/src/js/calendar.js @@ -36,6 +36,7 @@ openerp.web_calendar.CalendarView = openerp.web.View.extend({ this.range_start = null; this.range_stop = null; this.update_range_dates(Date.today()); + this.selected_filters = []; }, start: function() { this._super(); @@ -63,11 +64,17 @@ openerp.web_calendar.CalendarView = openerp.web.View.extend({ this.date_delay = this.fields_view.arch.attrs.date_delay; this.date_stop = this.fields_view.arch.attrs.date_stop; - this.colors = this.fields_view.arch.attrs.colors; this.day_length = this.fields_view.arch.attrs.day_length || 8; this.color_field = this.fields_view.arch.attrs.color; + + if (this.color_field && this.selected_filters.length === 0) { + var default_filter; + if (default_filter = this.dataset.context['calendar_default_' + this.color_field]) { + this.selected_filters.push(default_filter + ''); + } + } this.fields = this.fields_view.fields; - + if (!this.date_start) { throw new Error("Calendar view has not defined 'date_start' attribute."); } @@ -475,13 +482,22 @@ openerp.web_calendar.SidebarResponsible = openerp.web.Widget.extend({ this.$element.delegate('input:checkbox', 'change', this.on_filter_click); }, on_events_loaded: function(filters) { + var selected_filters = this.view.selected_filters.slice(0); this.$div.html(QWeb.render('CalendarView.sidebar.responsible', { filters: filters })); + this.$element.find('div.oe_calendar_responsible input').each(function() { + if (_.indexOf(selected_filters, $(this).val()) > -1) { + $(this).click(); + } + }); }, on_filter_click: function(e) { - var responsibles = [], + var self = this, + responsibles = [], $e = $(e.target); + this.view.selected_filters = []; this.$element.find('div.oe_calendar_responsible input:checked').each(function() { responsibles.push($(this).val()); + self.view.selected_filters.push($(this).val()); }); scheduler.clearAll(); if (responsibles.length) { From 86c2821961c520a0ae100f1acd457fe040baf6ae Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Thu, 12 Jan 2012 12:14:31 +0100 Subject: [PATCH 128/166] [IMP] Crm meetings calendar view now uses new context key: 'calendar_default_' Note: this change needs web client Revision: 1946 revid:fme@openerp.com-20120112110953-6aqfd7nrzgp538br bzr revid: fme@openerp.com-20120112111431-6nzqjti316zsqaw0 --- addons/crm/crm_meeting_menu.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/crm/crm_meeting_menu.xml b/addons/crm/crm_meeting_menu.xml index 338579af88f..af50149f693 100644 --- a/addons/crm/crm_meeting_menu.xml +++ b/addons/crm/crm_meeting_menu.xml @@ -51,7 +51,7 @@ crm.meeting calendar,tree,form,gantt - {"search_default_user_id":uid, 'search_default_section_id': section_id} + {"calendar_default_user_id":uid} The meeting calendar is shared between the sales teams and fully integrated with other applications such as the employee holidays or the business opportunities. You can also synchronize meetings with your mobile phone using the caldav interface. From eb53f66c7c75d4819e9bd1e0e2a5ed170e65890d Mon Sep 17 00:00:00 2001 From: Christophe Simonis Date: Thu, 12 Jan 2012 12:21:38 +0100 Subject: [PATCH 129/166] [FIX] load modules when all css/qweb/js files are loaded bzr revid: chs@openerp.com-20120112112138-gwxicn1zp5kkvsa9 --- addons/web/static/src/js/core.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/js/core.js b/addons/web/static/src/js/core.js index d5c096d5a2a..0584c49f6b2 100644 --- a/addons/web/static/src/js/core.js +++ b/addons/web/static/src/js/core.js @@ -695,6 +695,7 @@ openerp.web.Connection = openerp.web.CallbackEnabled.extend( /** @lends openerp. }); }) ).then(function() { + self.on_modules_loaded(); self.on_session_valid(); }); }); @@ -728,7 +729,6 @@ openerp.web.Connection = openerp.web.CallbackEnabled.extend( /** @lends openerp. var head = document.head || document.getElementsByTagName('head')[0]; head.appendChild(tag); } else { - self.on_modules_loaded(); d.resolve(); } return d; From 220f75daec3adf772b6a49e1b293df09260077bb Mon Sep 17 00:00:00 2001 From: "Hardik Ansodariy (OpenERP)" Date: Thu, 12 Jan 2012 17:32:29 +0530 Subject: [PATCH 130/166] [IMP] Fix the issue of warning bzr revid: han@tinyerp.com-20120112120229-kyu83vrute2wykag --- addons/survey/wizard/survey_selection.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/addons/survey/wizard/survey_selection.py b/addons/survey/wizard/survey_selection.py index 82c9fd385ed..7683e85ec43 100644 --- a/addons/survey/wizard/survey_selection.py +++ b/addons/survey/wizard/survey_selection.py @@ -63,7 +63,7 @@ class survey_name_wiz(osv.osv_memory): res = cr.fetchone()[0] sur_rec = survey_obj.browse(cr,uid,survey_id,context=context) if sur_rec.response_user and res >= sur_rec.response_user: - raise osv.except_osv(_('Warning !'),_("You can not give response for this survey more than %s times") % (user_limit)) + raise osv.except_osv(_('Warning !'),_("You can not give response for this survey more than %s times") % (sur_rec)) if sur_rec.max_response_limit and sur_rec.max_response_limit <= sur_rec.tot_start_survey: raise osv.except_osv(_('Warning !'),_("You can not give more response. Please contact the author of this survey for further assistance.")) @@ -88,4 +88,4 @@ class survey_name_wiz(osv.osv_memory): notes = self.pool.get('survey').read(cr, uid, survey_id, ['note'])['note'] return {'value': {'note': notes}} -# vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: \ No newline at end of file +# vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: From 5be2f1123fa97bc39d3017fd8c294def721ac514 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Thu, 12 Jan 2012 13:44:56 +0100 Subject: [PATCH 131/166] [REM] Commented out some debug output bzr revid: fme@openerp.com-20120112124456-yvegpuajefyg26uo --- addons/web/static/src/js/chrome.js | 2 +- addons/web/static/src/js/view_form.js | 6 +++--- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/addons/web/static/src/js/chrome.js b/addons/web/static/src/js/chrome.js index 39ddd0e1ecd..7af729205be 100644 --- a/addons/web/static/src/js/chrome.js +++ b/addons/web/static/src/js/chrome.js @@ -132,7 +132,7 @@ openerp.web.Dialog = openerp.web.Widget.extend(/** @lends openerp.web.Dialog# */ } }, on_resized: function() { - openerp.log("Dialog resized to %d x %d", this.$element.width(), this.$element.height()); + //openerp.log("Dialog resized to %d x %d", this.$element.width(), this.$element.height()); }, stop: function () { // Destroy widget diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 1531f32111c..d49bfda230d 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -444,15 +444,15 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# } else { var save_deferral; if (!self.datarecord.id) { - console.log("FormView(", self, ") : About to create", values); + //console.log("FormView(", self, ") : About to create", values); save_deferral = self.dataset.create(values).pipe(function(r) { return self.on_created(r, undefined, prepend_on_create); }, null); } else if (_.isEmpty(values)) { - console.log("FormView(", self, ") : Nothing to save"); + //console.log("FormView(", self, ") : Nothing to save"); save_deferral = $.Deferred().resolve({}).promise(); } else { - console.log("FormView(", self, ") : About to save", values); + //console.log("FormView(", self, ") : About to save", values); save_deferral = self.dataset.write(self.datarecord.id, values, {}).pipe(function(r) { return self.on_saved(r); }, null); From 2595678d9bea4dba7ba3ab44a57a9e9af73270ae Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Thu, 12 Jan 2012 13:48:15 +0100 Subject: [PATCH 132/166] [IMP] Improved menu folding icon when menu is empty bzr revid: fme@openerp.com-20120112124815-lqxx19v4deerozlq --- addons/web/static/src/css/base.css | 1 + 1 file changed, 1 insertion(+) diff --git a/addons/web/static/src/css/base.css b/addons/web/static/src/css/base.css index 9e5bae864ab..d4bd7a6ff1b 100644 --- a/addons/web/static/src/css/base.css +++ b/addons/web/static/src/css/base.css @@ -437,6 +437,7 @@ label.error { position: absolute; cursor: pointer; border-left: 1px solid #282828; + border-bottom: 1px solid #282828; width: 21px; height: 21px; z-index: 10; From 5446d01ba1ee51659460cbf47945643029e5f011 Mon Sep 17 00:00:00 2001 From: Christophe Simonis Date: Thu, 12 Jan 2012 13:52:07 +0100 Subject: [PATCH 133/166] [IMP] web: keep sessions at least 5 minutes bzr revid: chs@openerp.com-20120112125207-03wb2qlpfu7y8wvx --- addons/web/common/http.py | 4 +++- addons/web/common/session.py | 1 + 2 files changed, 4 insertions(+), 1 deletion(-) diff --git a/addons/web/common/http.py b/addons/web/common/http.py index 0c239decb64..6e4cbaacaaa 100644 --- a/addons/web/common/http.py +++ b/addons/web/common/http.py @@ -10,6 +10,7 @@ import os import pprint import sys import threading +import time import traceback import urllib import uuid @@ -331,8 +332,9 @@ def session_context(request, storage_path, session_cookie='sessionid'): if (isinstance(value, session.OpenERPSession) and not value._uid and not value.jsonp_requests + and value._creation_time + (60*5) < time.time() # FIXME do not use a fixed value ): - _logger.info('remove session %s: %r', key, value.jsonp_requests) + _logger.info('remove session %s', key) del request.session[key] with session_lock: diff --git a/addons/web/common/session.py b/addons/web/common/session.py index ac0489b2ff3..ca23a08da4a 100644 --- a/addons/web/common/session.py +++ b/addons/web/common/session.py @@ -29,6 +29,7 @@ class OpenERPSession(object): round-tripped to the client browser. """ def __init__(self): + self._creation_time = time.time() self.config = None self._db = False self._uid = False From 137310ed4a4e0fed5a20f1520662f2b3a8bd7b4f Mon Sep 17 00:00:00 2001 From: Christophe Simonis Date: Thu, 12 Jan 2012 13:54:16 +0100 Subject: [PATCH 134/166] [FIX] adapt auth_openid to new login page bzr revid: chs@openerp.com-20120112125416-uixisb5sks604ejg --- addons/auth_openid/__openerp__.py | 5 ++- addons/auth_openid/controllers/main.py | 4 +-- addons/auth_openid/static/src/css/openid.css | 22 ++++--------- .../auth_openid/static/src/js/auth_openid.js | 30 +++++++++++------ .../static/src/xml/auth_openid.xml | 33 +++++++++++++++---- 5 files changed, 60 insertions(+), 34 deletions(-) diff --git a/addons/auth_openid/__openerp__.py b/addons/auth_openid/__openerp__.py index 6fa802b94e3..178996bc33a 100644 --- a/addons/auth_openid/__openerp__.py +++ b/addons/auth_openid/__openerp__.py @@ -2,7 +2,7 @@ ############################################################################## # # OpenERP, Open Source Management Solution -# Copyright (C) 2010-2011 OpenERP s.a. (). +# Copyright (C) 2010-2012 OpenERP s.a. (). # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Affero General Public License as @@ -38,6 +38,9 @@ 'css': [ 'static/src/css/openid.css', ], + 'qweb': [ + 'static/src/xml/auth_openid.xml', + ], 'external_dependencies': { 'python' : ['openid'], }, diff --git a/addons/auth_openid/controllers/main.py b/addons/auth_openid/controllers/main.py index 0c1274ba05a..c95189b7736 100644 --- a/addons/auth_openid/controllers/main.py +++ b/addons/auth_openid/controllers/main.py @@ -2,7 +2,7 @@ ############################################################################## # # OpenERP, Open Source Management Solution -# Copyright (C) 2010-2011 OpenERP s.a. (). +# Copyright (C) 2010-2012 OpenERP s.a. (). # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Affero General Public License as @@ -216,7 +216,7 @@ class OpenIDController(openerpweb.Controller): fragment = '#loginerror' if not user_id else '' - return werkzeug.utils.redirect('/web/webclient/home?debug=1'+fragment) + return werkzeug.utils.redirect('/'+fragment) @openerpweb.jsonrequest def status(self, req): diff --git a/addons/auth_openid/static/src/css/openid.css b/addons/auth_openid/static/src/css/openid.css index 8763ec31685..ab01ffd2f60 100644 --- a/addons/auth_openid/static/src/css/openid.css +++ b/addons/auth_openid/static/src/css/openid.css @@ -1,4 +1,9 @@ -input[name='openid_url'] { +.login .pane { + width: 260px; + height: 175px; +} + +.login .pane input[name='openid_url'] { background: #fff url(../img/login-bg.gif) no-repeat 1px; padding-left: 20px; } @@ -8,19 +13,6 @@ input[name='openid_url'] { display: none; } -.openerp .login .oe_forms .oe_box2 td input[name="db"], .oe_forms .oe_box2 td select[name="db"] { - width: 50%; - float: left; - margin-top: 15px; -} - -.openerp .login .oe_login_right_pane { - margin-left: 525px; -} -.openerp .login form { - width: 475px; -} - .openid_providers { padding: 0; list-style: none; @@ -59,6 +51,6 @@ input[name='openid_url'] { .openid_providers a[title="Launchpad"] { background-image: url(../img/launchpad.png); } -tr.auth_choice.selected { +li.auth_choice.selected { display: table-row; } diff --git a/addons/auth_openid/static/src/js/auth_openid.js b/addons/auth_openid/static/src/js/auth_openid.js index bc067d8824d..fd6ec01cc0f 100644 --- a/addons/auth_openid/static/src/js/auth_openid.js +++ b/addons/auth_openid/static/src/js/auth_openid.js @@ -2,13 +2,14 @@ openerp.auth_openid = function(instance) { var QWeb = instance.web.qweb; -QWeb.add_template('/auth_openid/static/src/xml/auth_openid.xml'); instance.web.Login = instance.web.Login.extend({ start: function() { this._super.apply(this, arguments); var self = this; + this._default_error_message = this.$element.find('.login_error_message').text(); + this.$openid_selected_button = $(); this.$openid_selected_input = $(); this.$openid_selected_provider = null; @@ -39,6 +40,8 @@ instance.web.Login = instance.web.Login.extend({ } }); + this._check_fragment(); + }, @@ -48,7 +51,7 @@ instance.web.Login = instance.web.Login.extend({ self.$openid_selected_button.add(self.$openid_selected_input).removeClass('selected'); self.$openid_selected_button = self.$element.find(button).addClass('selected'); - var input = _(provider.split(',')).map(function(p) { return 'tr[data-provider="'+p+'"]'; }).join(','); + var input = _(provider.split(',')).map(function(p) { return 'li[data-provider="'+p+'"]'; }).join(','); self.$openid_selected_input = self.$element.find(input).addClass('selected'); self.$openid_selected_input.find('input:first').focus(); @@ -64,20 +67,20 @@ instance.web.Login = instance.web.Login.extend({ }, - on_login_invalid: function() { + _check_fragment: function() { var self = this; var fragment = jQuery.deparam.fragment(); - if (fragment.loginerror != undefined) { + console.log(fragment); + if (fragment.loginerror !== undefined) { this.rpc('/auth_openid/login/status', {}, function(result) { if (_.contains(['success', 'failure'], result.status) && result.message) { - self.notification.warn('Invalid OpenID Login', result.message); + self.do_warn('Invalid OpenID Login', result.message); } if (result.status === 'setup_needed' && result.message) { window.location.replace(result.message); } }); } - return this._super(); }, on_submit: function(ev) { @@ -86,6 +89,7 @@ instance.web.Login = instance.web.Login.extend({ if(!dataurl) { // login-password submitted + this.reset_error_message(); this._super(ev); } else { ev.preventDefault(); @@ -107,13 +111,11 @@ instance.web.Login = instance.web.Login.extend({ var self = this; this.rpc('/auth_openid/login/verify', {'db': db, 'url': openid_url}, function(result) { if (result.error) { - self.notification.warn(result.title, result.error); - self.on_login_invalid(); + self.do_warn(result.title, result.error); return; } if (result.session_id) { - self.session.session_id = result.session_id; - self.session.session_save(); + self.session.set_cookie('session_id', result.session_id); } if (result.action === 'post') { document.open(); @@ -128,6 +130,14 @@ instance.web.Login = instance.web.Login.extend({ }); }, + do_warn: function(title, msg) { + //console.warn(title, msg); + this.$element.find('.login_error_message').text(msg).show(); + }, + + reset_error_message: function() { + this.$element.find('.login_error_message').text(this._default_error_message); + } }); diff --git a/addons/auth_openid/static/src/xml/auth_openid.xml b/addons/auth_openid/static/src/xml/auth_openid.xml index 6fbab72e831..34894555668 100644 --- a/addons/auth_openid/static/src/xml/auth_openid.xml +++ b/addons/auth_openid/static/src/xml/auth_openid.xml @@ -3,7 +3,7 @@ - +

      • Password
      • Google
      • @@ -30,14 +30,35 @@ + + +
      • + Google Apps Domain +
      • +
      • + +
      • +
      • + Username +
      • +
      • + +
      • +
      • + OpenID URL +
      • +
      • + +
      • +
        +
        - - //this.addClass('auth_choice'); // XXX for some reason, not all tr tags are HTMLElement's and thus, jQuery decide to not change the class... - this.attr('class', 'auth_choice'); + this.each(function() { - var $i = $(this); - $i.attr('data-provider', $i.find('input').attr('name')); + var $i = $(this), + dp = $i.find('input').attr('name'); + $i.add($i.prev()).attr('class', 'auth_choice').attr('data-provider', dp); }); From 31eb4879e6da26cc6dd025fbbc4e06c6c69091df Mon Sep 17 00:00:00 2001 From: Antony Lesuisse Date: Thu, 12 Jan 2012 15:02:34 +0100 Subject: [PATCH 135/166] [FIX] add depends on xlwt bzr revid: al@openerp.com-20120112140234-fzkosusicvpw6pf5 --- debian/control | 1 + setup.py | 180 +++++++++++++++++++++++++++++++------------------ 2 files changed, 115 insertions(+), 66 deletions(-) mode change 100644 => 100755 setup.py diff --git a/debian/control b/debian/control index 8b404a28a00..ce0d3df55e1 100644 --- a/debian/control +++ b/debian/control @@ -35,6 +35,7 @@ Depends: python-vobject, python-webdav, python-werkzeug, + python-xlwt, python-yaml, python-zsi Conflicts: tinyerp-server, openerp-server, openerp-web diff --git a/setup.py b/setup.py old mode 100644 new mode 100755 index a239b6f5d38..be9e90bb08d --- a/setup.py +++ b/setup.py @@ -1,73 +1,121 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- +############################################################################## +# +# OpenERP, Open Source Management Solution +# Copyright (C) 2004-2010 Tiny SPRL (). +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU Affero General Public License as +# published by the Free Software Foundation, either version 3 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 Affero General Public License for more details. +# +# You should have received a copy of the GNU Affero General Public License +# along with this program. If not, see . +# +############################################################################## -import os -import re -import sys -from setuptools import setup, find_packages +import glob, os, re, setuptools, sys +from os.path import join, isfile -execfile('addons/web/common/release.py') +# List all data files +def data(): + files = [] + for root, dirnames, filenames in os.walk('openerp'): + for filename in filenames: + if not re.match(r'.*(\.pyc|\.pyo|\~)$',filename): + files.append(os.path.join(root, filename)) + d = {} + for v in files: + k=os.path.dirname(v) + if k in d: + d[k].append(v) + else: + d[k]=[v] + r = d.items() + if os.name == 'nt': + r.append(("Microsoft.VC90.CRT", glob.glob('C:\Microsoft.VC90.CRT\*.*'))) + return r -version_dash_incompatible = False -if 'bdist_rpm' in sys.argv: - version_dash_incompatible = True -try: - import py2exe - from py2exe_utils import opts - version_dash_incompatible = True -except ImportError: - opts = {} -if version_dash_incompatible: - version = version.split('-')[0] +def gen_manifest(): + file_list="\n".join(data()) + open('MANIFEST','w').write(file_list) -FILE_PATTERNS = \ - r'.+\.(py|cfg|po|pot|mo|txt|rst|gif|png|jpg|ico|mako|html|js|css|htc|swf)$' -def find_data_files(source, patterns=FILE_PATTERNS): - file_matcher = re.compile(patterns, re.I) - out = [] - for base, _, files in os.walk(source): - cur_files = [] - for f in files: - if file_matcher.match(f): - cur_files.append(os.path.join(base, f)) - if cur_files: - out.append( - (base, cur_files)) +if os.name == 'nt': + sys.path.append("C:\Microsoft.VC90.CRT") - return out +def py2exe_options(): + if os.name == 'nt': + import py2exe + return { + "console" : [ { "script": "openerp-server", "icon_resources": [(1, join("install","openerp-icon.ico"))], }], + 'options' : { + "py2exe": { + "skip_archive": 1, + "optimize": 2, + "dist_dir": 'dist', + "packages": [ "DAV", "HTMLParser", "PIL", "asynchat", "asyncore", "commands", "dateutil", "decimal", "email", "encodings", "imaplib", "lxml", "lxml._elementpath", "lxml.builder", "lxml.etree", "lxml.objectify", "mako", "openerp", "poplib", "pychart", "pydot", "pyparsing", "reportlab", "select", "simplejson", "smtplib", "uuid", "vatnumber", "vobject", "xml", "xml.dom", "yaml", ], + "excludes" : ["Tkconstants","Tkinter","tcl"], + } + } + } + else: + return {} -setup( - name=name, - version=version, - description=description, - long_description=long_description, - author=author, - author_email=author_email, - url=url, - download_url=download_url, - license=license, - install_requires=[ - "Babel >= 0.9.6", - "simplejson >= 2.0.9", - "python-dateutil >= 1.4.1, < 2", - "pytz", - "werkzeug == 0.7", - ], - tests_require=[ - 'unittest2', - 'mock', - ], - test_suite = 'unittest2.collector', - zip_safe=False, - packages=find_packages(), - classifiers=[ - 'Development Status :: 6 - Production/Stable', - 'Operating System :: OS Independent', - 'Programming Language :: Python', - 'Environment :: Web Environment', - 'Topic :: Office/Business :: Financial', - ], - scripts=['openerp-web'], - data_files=(find_data_files('addons') - + opts.pop('data_files', []) - ), - **opts +execfile(join(os.path.dirname(__file__), 'openerp', 'release.py')) + +setuptools.setup( + name = 'openerp', + version = version, + description = description, + long_description = long_desc, + url = url, + author = author, + author_email = author_email, + classifiers = filter(None, classifiers.split("\n")), + license = license, + scripts = ['openerp-server'], + data_files = data(), + packages = setuptools.find_packages(), + #include_package_data = True, + install_requires = [ + # TODO the pychart package we include in openerp corresponds to PyChart 1.37. + # It seems there is a single difference, which is a spurious print in generate_docs.py. + # It is probably safe to move to PyChart 1.39 (the latest one). + # (Let setup.py choose the latest one, and we should check we can remove pychart from + # our tree.) http://download.gna.org/pychart/ + # TODO 'pychart', + 'babel', + 'feedparser', + 'gdata', + 'lxml', + 'mako', + 'psycopg2', + 'pydot', + 'python-dateutil < 2', + 'python-ldap', + 'python-openid', + 'pytz', + 'pywebdav', + 'pyyaml', + 'reportlab', + 'simplejson', + 'vatnumber', + 'vobject', + 'werkzeug', + 'xlwt', + 'zsi', + ], + extras_require = { + 'SSL' : ['pyopenssl'], + }, + **py2exe_options() ) + + +# vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: From 12b8bf980afb5c3adde4f69b48221779c33d472e Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Thu, 12 Jan 2012 15:17:30 +0100 Subject: [PATCH 136/166] [FIX] Fix calendar date_start date_stop in new event form popup bzr revid: fme@openerp.com-20120112141730-kipnpmm6zi41nvq6 --- addons/web_calendar/static/src/js/calendar.js | 25 ++++++------------- 1 file changed, 7 insertions(+), 18 deletions(-) diff --git a/addons/web_calendar/static/src/js/calendar.js b/addons/web_calendar/static/src/js/calendar.js index fe5799d3aff..75fdddcad09 100644 --- a/addons/web_calendar/static/src/js/calendar.js +++ b/addons/web_calendar/static/src/js/calendar.js @@ -296,36 +296,25 @@ openerp.web_calendar.CalendarView = openerp.web.View.extend({ var self = this, data = this.get_event_data(event_obj), form = self.form_dialog.form, - fields_to_fetch = _(form.fields_view.fields).keys(), - set_values = [], - fields_names = []; + fields_to_fetch = _(form.fields_view.fields).keys(); this.dataset.index = null; self.creating_event_id = event_id; this.form_dialog.form.do_show().then(function() { form.show_invalid = false; - _.each(['date_start', 'date_stop', 'date_delay'], function(field) { + _.each(['date_start', 'date_delay', 'date_stop'], function(field) { var field_name = self[field]; if (field_name && form.fields[field_name]) { var ffield = form.fields[field_name]; ffield.reset(); - var result = ffield.set_value(data[field_name]); - set_values.push(result); - fields_names.push(field_name); - $.when(result).then(function() { + $.when(ffield.set_value(data[field_name])).then(function() { ffield.validate(); + ffield.dirty = true; + form.do_onchange(ffield); }); } }); - - $.when(set_values).then(function() { - _.each(fields_names, function(fn) { - var field = form.fields[fn]; - field.dirty = true; - form.do_onchange(field); - }); - form.show_invalid = true; - self.form_dialog.open(); - }); + form.show_invalid = true; + self.form_dialog.open(); }); }, do_save_event: function(event_id, event_obj) { From 4da096cb2381239d432130314fc82b37776e8675 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Thu, 12 Jan 2012 15:23:07 +0100 Subject: [PATCH 137/166] [FIX] Calendar: In drag and drop in month view, remove one second to end date bzr revid: fme@openerp.com-20120112142307-2d0mffhvwwl51di8 --- addons/web_calendar/static/src/js/calendar.js | 2 ++ 1 file changed, 2 insertions(+) diff --git a/addons/web_calendar/static/src/js/calendar.js b/addons/web_calendar/static/src/js/calendar.js index 75fdddcad09..8e03208e276 100644 --- a/addons/web_calendar/static/src/js/calendar.js +++ b/addons/web_calendar/static/src/js/calendar.js @@ -351,6 +351,8 @@ openerp.web_calendar.CalendarView = openerp.web.View.extend({ event_obj['start_date'].addHours(8); event_obj['end_date'] = new Date(event_obj['start_date']); event_obj['end_date'].addHours(1); + } else { + event_obj['end_date'].addSeconds(-1); } this.do_create_event_with_formdialog(event_id, event_obj); // return false; From 301ccd20b2d372b0093334dee5ddae2dfd9d83f8 Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Thu, 12 Jan 2012 15:45:47 +0100 Subject: [PATCH 138/166] [REM] Commented out a debug logging bzr revid: fme@openerp.com-20120112144547-s4vziyeazy1at8ag --- addons/web/static/src/js/view_form.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index d49bfda230d..43f59233e48 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -514,7 +514,7 @@ openerp.web.FormView = openerp.web.View.extend( /** @lends openerp.web.FormView# if (this.sidebar) { this.sidebar.attachments.do_update(); } - openerp.log("The record has been created with id #" + this.datarecord.id); + //openerp.log("The record has been created with id #" + this.datarecord.id); this.reload(); return $.when(_.extend(r, {created: true})).then(success); } From 2ea7dae91f3ce915fabd1cbd420ceb78685d242b Mon Sep 17 00:00:00 2001 From: Fabien Meghazi Date: Thu, 12 Jan 2012 16:15:27 +0100 Subject: [PATCH 139/166] [FIX] Fix default field focus that was broken bzr revid: fme@openerp.com-20120112151527-peee706mfv7nciye --- addons/web/static/src/js/view_form.js | 35 +++++++++++++++------------ 1 file changed, 20 insertions(+), 15 deletions(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index 43f59233e48..5f2f587d669 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -1262,7 +1262,12 @@ openerp.web.form.Field = openerp.web.form.Widget.extend(/** @lends openerp.web.f validate: function() { this.invalid = false; }, - focus: function() { + focus: function($element) { + if ($element) { + setTimeout(function() { + $element.focus(); + }, 50); + } }, reset: function() { this.dirty = false; @@ -1309,8 +1314,8 @@ openerp.web.form.FieldChar = openerp.web.form.Field.extend({ this.invalid = true; } }, - focus: function() { - this.$element.find('input').focus(); + focus: function($element) { + this._super($element || this.$element.find('input:first')); } }); @@ -1434,8 +1439,8 @@ openerp.web.DateTimeWidget = openerp.web.Widget.extend({ } } }, - focus: function() { - this.$input.focus(); + focus: function($element) { + this._super($element || this.$input); }, parse_client: function(v) { return openerp.web.parse_value(v, {"widget": this.type_of_date}); @@ -1481,8 +1486,8 @@ openerp.web.form.FieldDatetime = openerp.web.form.Field.extend({ validate: function() { this.invalid = !this.datewidget.is_valid(this.required); }, - focus: function() { - this.datewidget.focus(); + focus: function($element) { + this._super($element || this.datewidget); } }); @@ -1525,8 +1530,8 @@ openerp.web.form.FieldText = openerp.web.form.Field.extend({ this.invalid = true; } }, - focus: function() { - this.$element.find('textarea').focus(); + focus: function($element) { + this._super($element || this.$element.find('textarea:first')); }, do_resize: function(max_height) { max_height = parseInt(max_height, 10); @@ -1572,8 +1577,8 @@ openerp.web.form.FieldBoolean = openerp.web.form.Field.extend({ this._super.apply(this, arguments); this.$element.find('input').prop('disabled', this.readonly); }, - focus: function() { - this.$element.find('input').focus(); + focus: function($element) { + this._super($element || this.$element.find('input:first')); } }); @@ -1659,8 +1664,8 @@ openerp.web.form.FieldSelection = openerp.web.form.Field.extend({ var value = this.values[this.$element.find('select')[0].selectedIndex]; this.invalid = !(value && !(this.required && value[0] === false)); }, - focus: function() { - this.$element.find('select').focus(); + focus: function($element) { + this._super($element || this.$element.find('select:first')); } }); @@ -2011,8 +2016,8 @@ openerp.web.form.FieldMany2One = openerp.web.form.Field.extend({ self.do_action(result.result); }); }, - focus: function () { - this.$input.focus(); + focus: function ($element) { + this._super($element || this.$input); }, update_dom: function() { this._super.apply(this, arguments); From b7b04bd17db068176c8671792fb2e80dfcbcc7fe Mon Sep 17 00:00:00 2001 From: Antony Lesuisse Date: Thu, 12 Jan 2012 14:14:59 +0100 Subject: [PATCH 140/166] [IMP] revert ir config todo styling move checkbox at the right bzr revid: al@openerp.com-20120112131459-lt3rmnpannlfbr9i --- .../static/src/css/dashboard.css | 25 +------------------ .../static/src/xml/web_dashboard.xml | 8 +++--- 2 files changed, 6 insertions(+), 27 deletions(-) diff --git a/addons/web_dashboard/static/src/css/dashboard.css b/addons/web_dashboard/static/src/css/dashboard.css index 96ed4bed6fd..fe31f0a9a87 100644 --- a/addons/web_dashboard/static/src/css/dashboard.css +++ b/addons/web_dashboard/static/src/css/dashboard.css @@ -201,6 +201,7 @@ .openerp .oe-dashboard-config-overview li { cursor: pointer; position: relative; + text-indent: 20px; } .openerp .oe-dashboard-config-overview li:hover { cursor: pointer; @@ -212,26 +213,6 @@ color: #999999; } -.openerp span.oe-label { - display: inline-block; - padding: 1px 3px 2px; - min-width: 38px; - font-size: 10px; - font-weight: bold; - color: white; - text-transform: uppercase; - text-align: center; - white-space: nowrap; - background-color: #BFBFBF; - -webkit-border-radius: 3px; - -moz-border-radius: 3px; - border-radius: 3px; -} - -.openerp span.oe-todo { - background: #7F82AC; -} - .openerp .oe-dashboard-layout_2-1 .index_0 .oe-dashboard-config-overview ul, .openerp .oe-dashboard-layout_1-2 .index_1 .oe-dashboard-config-overview ul { -moz-column-count: 2; @@ -292,10 +273,6 @@ padding: 2px; } -.openerp .oe-dashboard-action-content { - padding: 8px; -} - .oe-static-home { padding: 0.5em 0.5em; text-align: center; diff --git a/addons/web_dashboard/static/src/xml/web_dashboard.xml b/addons/web_dashboard/static/src/xml/web_dashboard.xml index 76857f07377..4db96d5ebbe 100644 --- a/addons/web_dashboard/static/src/xml/web_dashboard.xml +++ b/addons/web_dashboard/static/src/xml/web_dashboard.xml @@ -72,9 +72,11 @@
      • - - + t-att-title="!todo.done ? 'Execute task \'' + todo.name + '\'' : undefined"> + +
      From 8f4a0277ac395f4e13724f1468e59559b204c8a1 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Thu, 12 Jan 2012 18:09:17 +0100 Subject: [PATCH 141/166] [FIX] unbind handlers on records from a collection when the record is removed from the collection or the collection is reset bzr revid: xmo@openerp.com-20120112170917-n6xadpzkbflk9s2c --- addons/web/static/src/js/view_list.js | 3 ++- addons/web/static/test/list-utils.js | 20 ++++++++++++++++++++ addons/web/static/test/test.html | 1 + 3 files changed, 23 insertions(+), 1 deletion(-) diff --git a/addons/web/static/src/js/view_list.js b/addons/web/static/src/js/view_list.js index 4e6adbf99cb..aa970c31649 100644 --- a/addons/web/static/src/js/view_list.js +++ b/addons/web/static/src/js/view_list.js @@ -1694,6 +1694,7 @@ var Collection = openerp.web.Class.extend(/** @lends Collection# */{ proxy.reset(); }); this._proxies = {}; + _(this.records).invoke('unbind', null, this._onRecordEvent); this.length = 0; this.records = []; this._byId = {}; @@ -1712,7 +1713,6 @@ var Collection = openerp.web.Class.extend(/** @lends Collection# */{ * @returns this */ remove: function (record) { - var self = this; var index = _(this.records).indexOf(record); if (index === -1) { _(this._proxies).each(function (proxy) { @@ -1721,6 +1721,7 @@ var Collection = openerp.web.Class.extend(/** @lends Collection# */{ return this; } + record.unbind(null, this._onRecordEvent); this.records.splice(index, 1); delete this._byId[record.get('id')]; this.length--; diff --git a/addons/web/static/test/list-utils.js b/addons/web/static/test/list-utils.js index f71da82a560..8cc34454cd5 100644 --- a/addons/web/static/test/list-utils.js +++ b/addons/web/static/test/list-utils.js @@ -170,6 +170,16 @@ $(document).ready(function () { equal(c.get(2), undefined); strictEqual(c.at(1).get('value'), 20); }); + test('Remove unbind', function () { + var changed = false, + c = new openerp.web.list.Collection([ {id: 1, value: 5} ]); + c.bind('change', function () { changed = true; }); + var record = c.get(1); + c.remove(record); + record.set('value', 42); + ok(!changed, 'removed records should not trigger events in their ' + + 'parent collection'); + }); test('Reset', function () { var event, obj, c = new openerp.web.list.Collection([ {id: 1, value: 5}, @@ -190,6 +200,16 @@ $(document).ready(function () { strictEqual(c.length, 1); strictEqual(c.get(42).get('value'), 55); }); + test('Reset unbind', function () { + var changed = false, + c = new openerp.web.list.Collection([ {id: 1, value: 5} ]); + c.bind('change', function () { changed = true; }); + var record = c.get(1); + c.reset(); + record.set('value', 42); + ok(!changed, 'removed records should not trigger events in their ' + + 'parent collection'); + }); test('Events propagation', function () { var values = []; diff --git a/addons/web/static/test/test.html b/addons/web/static/test/test.html index b1018bc00ca..da06aba2364 100644 --- a/addons/web/static/test/test.html +++ b/addons/web/static/test/test.html @@ -14,6 +14,7 @@ + From 0b0f083f911388acec8e4c498e4f5365dcd165a7 Mon Sep 17 00:00:00 2001 From: Olivier Dony Date: Thu, 12 Jan 2012 20:21:07 +0100 Subject: [PATCH 143/166] [REL] OpenERP 6.1rc1 bzr revid: odo@openerp.com-20120112192107-884x8kz4gxju1g9u --- openerp/release.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/openerp/release.py b/openerp/release.py index ceb4d9d55d8..bd3935713b9 100644 --- a/openerp/release.py +++ b/openerp/release.py @@ -30,7 +30,7 @@ RELEASE_LEVELS_DISPLAY = {ALPHA: ALPHA, # properly comparable using normal operarors, for example: # (6,1,0,'beta',0) < (6,1,0,'candidate',1) < (6,1,0,'candidate',2) # (6,1,0,'candidate',2) < (6,1,0,'final',0) < (6,1,2,'final',0) -version_info = (6,1,0,BETA,0) +version_info = (6,1,0,RELEASE_CANDIDATE,1) version = '.'.join(map(str,version_info[:2])) + RELEASE_LEVELS_DISPLAY[version_info[3]] + str(version_info[4] or '') major_version = '.'.join(map(str,version_info[:2])) From f0b7f221ce52abffe5010ce25d5f8467d8f61fbe Mon Sep 17 00:00:00 2001 From: Antony Lesuisse Date: Thu, 12 Jan 2012 20:25:34 +0100 Subject: [PATCH 144/166] [IMP] append username in session directory bzr revid: al@openerp.com-20120112192534-fc2eilownqwwnssl --- addons/web/__init__.py | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/addons/web/__init__.py b/addons/web/__init__.py index 06e7fa1f0e3..b09c8c213bc 100644 --- a/addons/web/__init__.py +++ b/addons/web/__init__.py @@ -12,11 +12,16 @@ def wsgi_postload(): import openerp import os import tempfile + import getpass _logger.info("embedded mode") o = Options() o.dbfilter = openerp.tools.config['dbfilter'] o.server_wide_modules = openerp.conf.server_wide_modules or ['web'] - o.session_storage = os.path.join(tempfile.gettempdir(), "oe-sessions") + try: + username = getpass.getuser() + except Exception: + username = "unknown" + o.session_storage = os.path.join(tempfile.gettempdir(), "oe-sessions-" + username) o.addons_path = openerp.modules.module.ad_paths o.serve_static = True o.backend = 'local' From 6ef4c086a927900181fc33e18140fee67d0bd500 Mon Sep 17 00:00:00 2001 From: Olivier Dony Date: Thu, 12 Jan 2012 21:14:15 +0100 Subject: [PATCH 145/166] [REL] OpenERP 6.1rc1 bzr revid: odo@openerp.com-20120112201415-xkdojp6hgekaa3va --- addons/web/common/release.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/common/release.py b/addons/web/common/release.py index 47570c032bb..fdc30ee33d7 100644 --- a/addons/web/common/release.py +++ b/addons/web/common/release.py @@ -1,5 +1,5 @@ name = 'openerp-web' -version = '6.1.0 alpha' +version = '6.1rc1' description = "Web Client of OpenERP, the Enterprise Management Software" long_description = "OpenERP Web is the web client of the OpenERP, a free enterprise management software" author = "OpenERP SA" From bb0aba65226f4f378be2636c2399206a518a2edc Mon Sep 17 00:00:00 2001 From: Launchpad Translations on behalf of openerp <> Date: Fri, 13 Jan 2012 04:39:14 +0000 Subject: [PATCH 146/166] Launchpad automatic translations update. bzr revid: launchpad_translations_on_behalf_of_openerp-20120113043914-p7g5d8l3yp5zvxhs --- openerp/addons/base/i18n/ja.po | 28 ++++++++++++++-------------- openerp/addons/base/i18n/zh_CN.po | 20 ++++++++++---------- 2 files changed, 24 insertions(+), 24 deletions(-) diff --git a/openerp/addons/base/i18n/ja.po b/openerp/addons/base/i18n/ja.po index ab570370d35..2eab104f727 100644 --- a/openerp/addons/base/i18n/ja.po +++ b/openerp/addons/base/i18n/ja.po @@ -8,14 +8,14 @@ msgstr "" "Project-Id-Version: openobject-server\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2011-12-22 20:22+0000\n" -"PO-Revision-Date: 2012-01-11 22:47+0000\n" -"Last-Translator: Masaki Yamaya \n" +"PO-Revision-Date: 2012-01-12 23:33+0000\n" +"Last-Translator: Akira Hiyama \n" "Language-Team: Japanese \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-12 05:39+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:39+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: base #: model:res.country,name:base.sh @@ -25,12 +25,12 @@ msgstr "セント・ヘレナ" #. module: base #: view:ir.actions.report.xml:0 msgid "Other Configuration" -msgstr "" +msgstr "その他構成" #. module: base #: selection:ir.property,type:0 msgid "DateTime" -msgstr "" +msgstr "日時" #. module: base #: model:ir.module.module,shortdesc:base.module_project_mailgate @@ -179,7 +179,7 @@ msgstr "" #: code:addons/base/res/res_users.py:541 #, python-format msgid "Warning!" -msgstr "" +msgstr "警告!" #. module: base #: code:addons/base/ir/ir_model.py:331 @@ -193,7 +193,7 @@ msgstr "" #: code:addons/osv.py:129 #, python-format msgid "Constraint Error" -msgstr "" +msgstr "制約エラー" #. module: base #: model:ir.model,name:base.model_ir_ui_view_custom @@ -227,13 +227,13 @@ msgstr "" #. module: base #: field:ir.sequence,number_increment:0 msgid "Increment Number" -msgstr "" +msgstr "増分値" #. module: base #: model:ir.actions.act_window,name:base.action_res_company_tree #: model:ir.ui.menu,name:base.menu_action_res_company_tree msgid "Company's Structure" -msgstr "" +msgstr "会社組織" #. module: base #: selection:base.language.install,lang:0 @@ -245,7 +245,7 @@ msgstr "" #: model:ir.module.category,name:base.module_category_sales_management #: model:ir.module.module,shortdesc:base.module_sale msgid "Sales Management" -msgstr "" +msgstr "セールス管理" #. module: base #: view:res.partner:0 @@ -266,7 +266,7 @@ msgstr "" #. module: base #: field:ir.module.category,module_nr:0 msgid "Number of Modules" -msgstr "" +msgstr "モジュール数" #. module: base #: help:multi_company.default,company_dest_id:0 @@ -276,7 +276,7 @@ msgstr "" #. module: base #: field:res.partner.bank.type.field,size:0 msgid "Max. Size" -msgstr "" +msgstr "最大サイズ" #. module: base #: model:ir.module.category,name:base.module_category_reporting @@ -289,7 +289,7 @@ msgstr "" #: model:ir.ui.menu,name:base.next_id_73 #: model:ir.ui.menu,name:base.reporting_menu msgid "Reporting" -msgstr "" +msgstr "レポート" #. module: base #: view:res.partner:0 diff --git a/openerp/addons/base/i18n/zh_CN.po b/openerp/addons/base/i18n/zh_CN.po index e1ad74725bd..3eabd73e01f 100644 --- a/openerp/addons/base/i18n/zh_CN.po +++ b/openerp/addons/base/i18n/zh_CN.po @@ -7,14 +7,14 @@ msgstr "" "Project-Id-Version: OpenERP Server 5.0.4\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-22 20:22+0000\n" -"PO-Revision-Date: 2012-01-07 05:02+0000\n" +"PO-Revision-Date: 2012-01-12 09:39+0000\n" "Last-Translator: Wei \"oldrev\" Li \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-08 05:03+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:39+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: base #: model:res.country,name:base.sh @@ -34,7 +34,7 @@ msgstr "日期时间" #. module: base #: model:ir.module.module,shortdesc:base.module_project_mailgate msgid "Tasks-Mail Integration" -msgstr "" +msgstr "任务邮件集成" #. module: base #: code:addons/fields.py:571 @@ -213,7 +213,7 @@ msgstr "已创建" #. module: base #: model:ir.module.module,shortdesc:base.module_mrp_subproduct msgid "MRP Subproducts" -msgstr "" +msgstr "MRP 子产品" #. module: base #: code:addons/base/module/module.py:379 @@ -394,7 +394,7 @@ msgstr "源对象" #. module: base #: model:res.partner.bank.type,format_layout:base.bank_normal msgid "%(bank_name)s: %(acc_number)s" -msgstr "" +msgstr "%(bank_name)s:%(acc_number)s" #. module: base #: view:ir.actions.todo:0 @@ -984,7 +984,7 @@ msgstr "TGZ 压缩包" #: view:res.groups:0 msgid "" "Users added to this group are automatically added in the following groups." -msgstr "" +msgstr "若有用户添加至本组时自动将用户添加到下面的组。" #. module: base #: view:res.lang:0 @@ -3637,7 +3637,7 @@ msgstr "增值税" #. module: base #: field:res.users,new_password:0 msgid "Set password" -msgstr "" +msgstr "设置密码" #. module: base #: view:res.lang:0 @@ -6270,7 +6270,7 @@ msgstr "" #: view:res.users:0 #, python-format msgid "Applications" -msgstr "" +msgstr "应用" #. module: base #: model:ir.model,name:base.model_ir_attachment @@ -6632,7 +6632,7 @@ msgstr "" #: view:ir.module.module:0 #, python-format msgid "Upgrade" -msgstr "" +msgstr "升级" #. module: base #: field:res.partner,address:0 From 1ba5e0ae7c27ad0f8c77ef11e43befe8cb40d908 Mon Sep 17 00:00:00 2001 From: Launchpad Translations on behalf of openerp <> Date: Fri, 13 Jan 2012 05:01:44 +0000 Subject: [PATCH 147/166] Launchpad automatic translations update. bzr revid: launchpad_translations_on_behalf_of_openerp-20120113044029-g5gennaovbmjxfut bzr revid: launchpad_translations_on_behalf_of_openerp-20120113050144-no4194ciwerac0dr --- addons/account/i18n/ar.po | 8 +- addons/account/i18n/sv.po | 18 +- addons/account/i18n/zh_CN.po | 4 +- addons/document/i18n/zh_CN.po | 4 +- addons/event/i18n/ar.po | 265 +++-- addons/lunch/i18n/ar.po | 10 +- addons/marketing_campaign/i18n/ar.po | 1040 ++++++++++++++++++ addons/outlook/i18n/ar.po | 104 ++ addons/procurement/i18n/ar.po | 955 ++++++++++++++++ addons/product/i18n/zh_CN.po | 22 +- addons/product_expiry/i18n/ar.po | 140 +++ addons/product_expiry/i18n/ro.po | 176 +++ addons/product_manufacturer/i18n/ar.po | 77 ++ addons/product_visible_discount/i18n/ar.po | 62 ++ addons/profile_tools/i18n/ar.po | 144 +++ addons/project_caldav/i18n/ar.po | 561 ++++++++++ addons/project_issue/i18n/ar.po | 1017 +++++++++++++++++ addons/project_issue_sheet/i18n/ar.po | 77 ++ addons/project_long_term/i18n/ar.po | 535 +++++++++ addons/project_mailgate/i18n/ar.po | 84 ++ addons/project_messages/i18n/ar.po | 110 ++ addons/purchase_double_validation/i18n/ar.po | 73 ++ addons/purchase_requisition/i18n/ar.po | 453 ++++++++ addons/report_designer/i18n/ar.po | 98 ++ addons/report_webkit/i18n/ar.po | 546 +++++++++ addons/report_webkit/i18n/ro.po | 555 ++++++++++ addons/report_webkit_sample/i18n/ar.po | 123 +++ addons/resource/i18n/ar.po | 354 ++++++ addons/sale/i18n/zh_CN.po | 4 +- addons/web/po/ar.po | 8 +- addons/web/po/de.po | 8 +- addons/web/po/zh_CN.po | 4 +- addons/web_dashboard/po/zh_CN.po | 4 +- addons/web_default_home/po/zh_CN.po | 4 +- addons/web_diagram/po/zh_CN.po | 4 +- addons/web_mobile/po/zh_CN.po | 4 +- 36 files changed, 7485 insertions(+), 170 deletions(-) create mode 100644 addons/marketing_campaign/i18n/ar.po create mode 100644 addons/outlook/i18n/ar.po create mode 100644 addons/procurement/i18n/ar.po create mode 100644 addons/product_expiry/i18n/ar.po create mode 100644 addons/product_expiry/i18n/ro.po create mode 100644 addons/product_manufacturer/i18n/ar.po create mode 100644 addons/product_visible_discount/i18n/ar.po create mode 100644 addons/profile_tools/i18n/ar.po create mode 100644 addons/project_caldav/i18n/ar.po create mode 100644 addons/project_issue/i18n/ar.po create mode 100644 addons/project_issue_sheet/i18n/ar.po create mode 100644 addons/project_long_term/i18n/ar.po create mode 100644 addons/project_mailgate/i18n/ar.po create mode 100644 addons/project_messages/i18n/ar.po create mode 100644 addons/purchase_double_validation/i18n/ar.po create mode 100644 addons/purchase_requisition/i18n/ar.po create mode 100644 addons/report_designer/i18n/ar.po create mode 100644 addons/report_webkit/i18n/ar.po create mode 100644 addons/report_webkit/i18n/ro.po create mode 100644 addons/report_webkit_sample/i18n/ar.po create mode 100644 addons/resource/i18n/ar.po diff --git a/addons/account/i18n/ar.po b/addons/account/i18n/ar.po index 760ba00feb8..14cd1b93f11 100644 --- a/addons/account/i18n/ar.po +++ b/addons/account/i18n/ar.po @@ -7,14 +7,14 @@ msgstr "" "Project-Id-Version: OpenERP Server 6.0dev\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-23 09:55+0000\n" -"PO-Revision-Date: 2012-01-10 19:38+0000\n" +"PO-Revision-Date: 2012-01-12 20:45+0000\n" "Last-Translator: kifcaliph \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:39+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: account #: view:account.invoice.report:0 @@ -5799,7 +5799,7 @@ msgstr "" #. module: account #: model:ir.model,name:account.model_account_analytic_line msgid "Analytic Line" -msgstr "خط بياني" +msgstr "خط تحليلي" #. module: account #: field:product.template,taxes_id:0 diff --git a/addons/account/i18n/sv.po b/addons/account/i18n/sv.po index 39693d2783e..f022e31b827 100644 --- a/addons/account/i18n/sv.po +++ b/addons/account/i18n/sv.po @@ -7,20 +7,20 @@ msgstr "" "Project-Id-Version: OpenERP Server 5.0.14\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-23 09:55+0000\n" -"PO-Revision-Date: 2011-11-07 12:47+0000\n" -"Last-Translator: OpenERP Administrators \n" +"PO-Revision-Date: 2012-01-12 21:15+0000\n" +"Last-Translator: Mikael Akerberg \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-12-24 05:49+0000\n" -"X-Generator: Launchpad (build 14560)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:39+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: account #: view:account.invoice.report:0 #: view:analytic.entries.report:0 msgid "last month" -msgstr "" +msgstr "föregående månad" #. module: account #: model:process.transition,name:account.process_transition_supplierreconcilepaid0 @@ -48,7 +48,7 @@ msgstr "Kontostatistik" #. module: account #: view:account.invoice:0 msgid "Proforma/Open/Paid Invoices" -msgstr "" +msgstr "Proforma/Öppna/Betalda fakturor" #. module: account #: field:report.invoice.created,residual:0 @@ -109,6 +109,7 @@ msgid "" "Configuration error! The currency chosen should be shared by the default " "accounts too." msgstr "" +"Konfigurations fel! Den valuta bör delas mellan standard-konton också." #. module: account #: report:account.invoice:0 @@ -179,7 +180,7 @@ msgstr "Faktura skapad inom 15 dagar" #. module: account #: field:accounting.report,label_filter:0 msgid "Column Label" -msgstr "" +msgstr "Kolumn Etikett" #. module: account #: code:addons/account/wizard/account_move_journal.py:95 @@ -194,6 +195,9 @@ msgid "" "invoice) to create analytic entries, OpenERP will look for a matching " "journal of the same type." msgstr "" +"Ger typ av analytisk journal. När det behövs ett dokument (t.ex. en faktura) " +"för att skapa analytiska poster, kommer OpenERP leta efter en matchande " +"journal av samma typ." #. module: account #: model:ir.actions.act_window,name:account.action_account_tax_template_form diff --git a/addons/account/i18n/zh_CN.po b/addons/account/i18n/zh_CN.po index a0680f429f3..feabe77666f 100644 --- a/addons/account/i18n/zh_CN.po +++ b/addons/account/i18n/zh_CN.po @@ -13,8 +13,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:39+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: account #: view:account.invoice.report:0 diff --git a/addons/document/i18n/zh_CN.po b/addons/document/i18n/zh_CN.po index ca50011696e..3f428c4565f 100644 --- a/addons/document/i18n/zh_CN.po +++ b/addons/document/i18n/zh_CN.po @@ -13,8 +13,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: document #: field:document.directory,parent_id:0 diff --git a/addons/event/i18n/ar.po b/addons/event/i18n/ar.po index 810fcf3d80a..2380611123a 100644 --- a/addons/event/i18n/ar.po +++ b/addons/event/i18n/ar.po @@ -7,19 +7,19 @@ msgstr "" "Project-Id-Version: OpenERP Server 5.0.4\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-22 18:44+0000\n" -"PO-Revision-Date: 2009-02-03 06:25+0000\n" -"Last-Translator: <>\n" +"PO-Revision-Date: 2012-01-12 20:40+0000\n" +"Last-Translator: kifcaliph \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-12-23 05:55+0000\n" -"X-Generator: Launchpad (build 14560)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:39+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: event #: view:event.event:0 msgid "Invoice Information" -msgstr "" +msgstr "بيانات الفاتورة" #. module: event #: view:partner.event.registration:0 @@ -36,7 +36,7 @@ msgstr "" #: view:event.registration:0 #: view:report.event.registration:0 msgid "Group By..." -msgstr "" +msgstr "تجميع حسب..." #. module: event #: field:event.event,register_min:0 @@ -51,7 +51,7 @@ msgstr "" #. module: event #: field:event.registration.badge,title:0 msgid "Title" -msgstr "" +msgstr "الاسم" #. module: event #: field:event.event,mail_registr:0 @@ -61,7 +61,7 @@ msgstr "" #. module: event #: model:ir.actions.act_window,name:event.action_event_confirm_registration msgid "Make Invoices" -msgstr "" +msgstr "إصدار الفواتير" #. module: event #: view:event.event:0 @@ -72,7 +72,7 @@ msgstr "" #. module: event #: view:partner.event.registration:0 msgid "_Close" -msgstr "" +msgstr "إ_غلاق" #. module: event #: view:report.event.registration:0 @@ -82,7 +82,7 @@ msgstr "" #. module: event #: selection:report.event.registration,month:0 msgid "March" -msgstr "" +msgstr "مارس" #. module: event #: field:event.event,mail_confirm:0 @@ -92,7 +92,7 @@ msgstr "" #. module: event #: field:event.registration,nb_register:0 msgid "Quantity" -msgstr "" +msgstr "كمية" #. module: event #: code:addons/event/wizard/event_make_invoice.py:50 @@ -101,7 +101,7 @@ msgstr "" #: code:addons/event/wizard/event_make_invoice.py:62 #, python-format msgid "Warning !" -msgstr "" +msgstr "تحذير !" #. module: event #: field:event.event,company_id:0 @@ -109,12 +109,12 @@ msgstr "" #: view:report.event.registration:0 #: field:report.event.registration,company_id:0 msgid "Company" -msgstr "" +msgstr "شركة" #. module: event #: field:event.make.invoice,invoice_date:0 msgid "Invoice Date" -msgstr "" +msgstr "تاريخ الفاتورة" #. module: event #: help:event.event,pricelist_id:0 @@ -134,17 +134,17 @@ msgstr "" #. module: event #: field:event.event,parent_id:0 msgid "Parent Event" -msgstr "" +msgstr "الحدث الرئيسي" #. module: event #: model:ir.actions.act_window,name:event.action_make_invoices msgid "Make Invoice" -msgstr "" +msgstr "عمل فاتورة" #. module: event #: field:event.registration,price_subtotal:0 msgid "Subtotal" -msgstr "" +msgstr "المجموع الفرعي" #. module: event #: view:report.event.registration:0 @@ -182,12 +182,12 @@ msgstr "" #. module: event #: field:event.registration,message_ids:0 msgid "Messages" -msgstr "" +msgstr "رسائل" #. module: event #: model:ir.model,name:event.model_event_registration_badge msgid "event.registration.badge" -msgstr "" +msgstr "event.registration.badge" #. module: event #: field:event.event,mail_auto_confirm:0 @@ -206,18 +206,18 @@ msgstr "" #: selection:event.registration,state:0 #: selection:report.event.registration,state:0 msgid "Cancelled" -msgstr "" +msgstr "ملغي" #. module: event #: field:event.event,reply_to:0 msgid "Reply-To" -msgstr "" +msgstr "رُد إلى" #. module: event #: model:ir.actions.act_window,name:event.open_board_associations_manager #: model:ir.ui.menu,name:event.menu_board_associations_manager msgid "Event Dashboard" -msgstr "" +msgstr "لوحة الأحداث" #. module: event #: code:addons/event/wizard/event_make_invoice.py:63 @@ -228,7 +228,7 @@ msgstr "" #. module: event #: selection:report.event.registration,month:0 msgid "July" -msgstr "" +msgstr "يوليو" #. module: event #: help:event.event,register_prospect:0 @@ -245,7 +245,7 @@ msgstr "" #. module: event #: field:event.registration,ref:0 msgid "Reference" -msgstr "" +msgstr "مرجع" #. module: event #: help:event.event,date_end:0 @@ -256,24 +256,24 @@ msgstr "" #. module: event #: view:event.registration:0 msgid "Emails" -msgstr "" +msgstr "البريد الإلكتروني" #. module: event #: view:event.registration:0 msgid "Extra Info" -msgstr "" +msgstr "معلومات إضافية" #. module: event #: code:addons/event/wizard/event_make_invoice.py:83 #, python-format msgid "Customer Invoices" -msgstr "" +msgstr "فواتير العملاء" #. module: event #: selection:event.event,state:0 #: selection:report.event.registration,state:0 msgid "Draft" -msgstr "" +msgstr "مسودة" #. module: event #: view:report.event.registration:0 @@ -283,7 +283,7 @@ msgstr "" #. module: event #: model:ir.model,name:event.model_event_type msgid " Event Type " -msgstr "" +msgstr " نوع الحدث " #. module: event #: view:event.event:0 @@ -295,13 +295,13 @@ msgstr "" #: field:report.event.registration,event_id:0 #: view:res.partner:0 msgid "Event" -msgstr "" +msgstr "حدث" #. module: event #: view:event.registration:0 #: field:event.registration,badge_ids:0 msgid "Badges" -msgstr "" +msgstr "شارات" #. module: event #: view:event.event:0 @@ -310,12 +310,12 @@ msgstr "" #: selection:event.registration,state:0 #: selection:report.event.registration,state:0 msgid "Confirmed" -msgstr "" +msgstr "مؤكد" #. module: event #: view:event.confirm.registration:0 msgid "Registration Confirmation" -msgstr "" +msgstr "تأكيد الإشتراك" #. module: event #: view:event.event:0 @@ -356,7 +356,7 @@ msgstr "" #. module: event #: view:event.event:0 msgid "Location" -msgstr "" +msgstr "المكان" #. module: event #: view:event.event:0 @@ -369,7 +369,7 @@ msgstr "" #: field:event.event,register_current:0 #: view:report.event.registration:0 msgid "Confirmed Registrations" -msgstr "" +msgstr "إشتراكات مؤكدة" #. module: event #: field:event.event,mail_auto_registr:0 @@ -380,12 +380,12 @@ msgstr "" #: field:event.event,type:0 #: field:partner.event.registration,event_type:0 msgid "Type" -msgstr "" +msgstr "نوع" #. module: event #: field:event.registration,email_from:0 msgid "Email" -msgstr "" +msgstr "بريد إلكتروني" #. module: event #: help:event.event,mail_confirm:0 @@ -409,25 +409,25 @@ msgstr "" #: code:addons/event/event.py:398 #, python-format msgid "Error !" -msgstr "" +msgstr "خطأ !" #. module: event #: field:event.event,name:0 #: field:event.registration,name:0 msgid "Summary" -msgstr "" +msgstr "ملخّص" #. module: event #: field:event.registration,create_date:0 msgid "Creation Date" -msgstr "" +msgstr "تاريخ الإنشاء" #. module: event #: view:event.event:0 #: view:event.registration:0 #: view:res.partner:0 msgid "Cancel Registration" -msgstr "" +msgstr "إلغاء التسجيل" #. module: event #: code:addons/event/event.py:399 @@ -468,13 +468,13 @@ msgstr "" #. module: event #: view:event.registration:0 msgid "Dates" -msgstr "" +msgstr "تواريخ" #. module: event #: view:event.confirm:0 #: view:event.confirm.registration:0 msgid "Confirm Anyway" -msgstr "" +msgstr "مضي التأكيد" #. module: event #: code:addons/event/wizard/event_confirm_registration.py:54 @@ -493,7 +493,7 @@ msgstr "" #: field:event.registration.badge,registration_id:0 #: model:ir.actions.act_window,name:event.act_event_list_register_event msgid "Registration" -msgstr "" +msgstr "التسجيل" #. module: event #: field:report.event.registration,nbevent:0 @@ -522,7 +522,7 @@ msgstr "" #: view:event.event:0 #: view:event.registration:0 msgid "Contact" -msgstr "" +msgstr "جهة الاتصال" #. module: event #: view:event.event:0 @@ -530,7 +530,7 @@ msgstr "" #: field:event.registration,partner_id:0 #: model:ir.model,name:event.model_res_partner msgid "Partner" -msgstr "" +msgstr "شريك" #. module: event #: view:board.board:0 @@ -542,7 +542,7 @@ msgstr "" #. module: event #: field:event.make.invoice,grouped:0 msgid "Group the invoices" -msgstr "" +msgstr "تجميع الفواتير" #. module: event #: view:event.event:0 @@ -552,7 +552,7 @@ msgstr "" #. module: event #: field:event.type,name:0 msgid "Event type" -msgstr "" +msgstr "نوع الحدث" #. module: event #: view:board.board:0 @@ -573,7 +573,7 @@ msgstr "" #. module: event #: field:event.registration,log_ids:0 msgid "Logs" -msgstr "" +msgstr "سجلّات" #. module: event #: view:event.event:0 @@ -583,17 +583,17 @@ msgstr "" #: view:report.event.registration:0 #: field:report.event.registration,state:0 msgid "State" -msgstr "" +msgstr "الحالة" #. module: event #: selection:report.event.registration,month:0 msgid "September" -msgstr "" +msgstr "سبتمبر" #. module: event #: selection:report.event.registration,month:0 msgid "December" -msgstr "" +msgstr "ديسمبر" #. module: event #: field:event.registration,event_product:0 @@ -609,12 +609,12 @@ msgstr "" #: view:report.event.registration:0 #: field:report.event.registration,month:0 msgid "Month" -msgstr "" +msgstr "شهر" #. module: event #: view:event.event:0 msgid "Event Done" -msgstr "" +msgstr "حدث منتهي" #. module: event #: view:event.registration:0 @@ -629,7 +629,7 @@ msgstr "" #. module: event #: field:event.confirm.registration,msg:0 msgid "Message" -msgstr "" +msgstr "رسالة" #. module: event #: constraint:event.event:0 @@ -646,23 +646,23 @@ msgstr "" #: view:report.event.registration:0 #, python-format msgid "Invoiced" -msgstr "" +msgstr "مفوتر" #. module: event #: view:event.event:0 #: view:report.event.registration:0 msgid "My Events" -msgstr "" +msgstr "أحداثي" #. module: event #: view:event.event:0 msgid "Speakers" -msgstr "" +msgstr "سماعات" #. module: event #: view:event.make.invoice:0 msgid "Create invoices" -msgstr "" +msgstr "إنشاء الفواتير" #. module: event #: help:event.registration,email_cc:0 @@ -675,17 +675,17 @@ msgstr "" #. module: event #: view:event.make.invoice:0 msgid "Do you really want to create the invoice(s) ?" -msgstr "" +msgstr "هل تريد فعلاً إنشاء الفاتورة/الفواتبر؟" #. module: event #: view:event.event:0 msgid "Beginning Date" -msgstr "" +msgstr "تاريخ البدء" #. module: event #: field:event.registration,date_closed:0 msgid "Closed" -msgstr "" +msgstr "مغلق" #. module: event #: view:report.event.registration:0 @@ -699,28 +699,28 @@ msgstr "" #: model:ir.ui.menu,name:event.menu_event_event_assiciation #: view:res.partner:0 msgid "Events" -msgstr "" +msgstr "أحداث" #. module: event #: field:partner.event.registration,nb_register:0 msgid "Number of Registration" -msgstr "" +msgstr "عدد التسجيلات" #. module: event #: field:event.event,child_ids:0 msgid "Child Events" -msgstr "" +msgstr "أحداث فرعية" #. module: event #: selection:report.event.registration,month:0 msgid "August" -msgstr "" +msgstr "أغسطس" #. module: event #: field:res.partner,event_ids:0 #: field:res.partner,event_registration_ids:0 msgid "unknown" -msgstr "" +msgstr "مجهول" #. module: event #: help:event.event,product_id:0 @@ -733,7 +733,7 @@ msgstr "" #. module: event #: selection:report.event.registration,month:0 msgid "June" -msgstr "" +msgstr "يونيو" #. module: event #: field:event.registration,write_date:0 @@ -743,7 +743,7 @@ msgstr "" #. module: event #: view:event.registration:0 msgid "My Registrations" -msgstr "" +msgstr "تسجيلاتي" #. module: event #: view:event.confirm:0 @@ -755,37 +755,37 @@ msgstr "" #. module: event #: field:event.registration,active:0 msgid "Active" -msgstr "" +msgstr "نشط" #. module: event #: field:event.registration,date:0 msgid "Start Date" -msgstr "" +msgstr "تاريخ البدء" #. module: event #: selection:report.event.registration,month:0 msgid "November" -msgstr "" +msgstr "نوفمبر" #. module: event #: view:report.event.registration:0 msgid "Extended Filters..." -msgstr "" +msgstr "مرشحات مفصلة..." #. module: event #: field:partner.event.registration,start_date:0 msgid "Start date" -msgstr "" +msgstr "تاريخ البدء" #. module: event #: selection:report.event.registration,month:0 msgid "October" -msgstr "" +msgstr "أكتوبر" #. module: event #: field:event.event,language:0 msgid "Language" -msgstr "" +msgstr "لغة" #. module: event #: view:event.registration:0 @@ -796,7 +796,7 @@ msgstr "" #. module: event #: selection:report.event.registration,month:0 msgid "January" -msgstr "" +msgstr "يناير" #. module: event #: help:event.registration,email_from:0 @@ -806,7 +806,7 @@ msgstr "" #. module: event #: view:event.event:0 msgid "Set To Draft" -msgstr "" +msgstr "وضع كمسودة" #. module: event #: code:addons/event/event.py:499 @@ -822,7 +822,7 @@ msgstr "" #: view:report.event.registration:0 #: view:res.partner:0 msgid "Date" -msgstr "" +msgstr "تاريخ" #. module: event #: view:event.event:0 @@ -843,28 +843,28 @@ msgstr "" #: view:event.registration:0 #: view:res.partner:0 msgid "History" -msgstr "" +msgstr "المحفوظات" #. module: event #: field:event.event,address_id:0 msgid "Location Address" -msgstr "" +msgstr "عنوان الموقع" #. module: event #: model:ir.actions.act_window,name:event.action_event_type #: model:ir.ui.menu,name:event.menu_event_type msgid "Types of Events" -msgstr "" +msgstr "أنواع الأحداث" #. module: event #: field:event.registration,contact_id:0 msgid "Partner Contact" -msgstr "" +msgstr "جهة الاتصال بالشريك" #. module: event #: field:event.event,pricelist_id:0 msgid "Pricelist" -msgstr "" +msgstr "قائمة الأسعار" #. module: event #: code:addons/event/wizard/event_make_invoice.py:59 @@ -880,7 +880,7 @@ msgstr "" #. module: event #: view:event.registration:0 msgid "Misc" -msgstr "" +msgstr "متفرقات" #. module: event #: constraint:event.event:0 @@ -895,37 +895,37 @@ msgstr "" #: selection:report.event.registration,state:0 #, python-format msgid "Done" -msgstr "" +msgstr "تم" #. module: event #: field:event.event,date_begin:0 msgid "Beginning date" -msgstr "" +msgstr "تاريخ البدء" #. module: event #: view:event.registration:0 #: field:event.registration,invoice_id:0 msgid "Invoice" -msgstr "" +msgstr "فاتورة" #. module: event #: view:report.event.registration:0 #: field:report.event.registration,year:0 msgid "Year" -msgstr "" +msgstr "سنة" #. module: event #: code:addons/event/event.py:465 #, python-format msgid "Cancel" -msgstr "" +msgstr "إلغاء" #. module: event #: view:event.confirm:0 #: view:event.confirm.registration:0 #: view:event.make.invoice:0 msgid "Close" -msgstr "" +msgstr "إغلاق" #. module: event #: view:event.event:0 @@ -936,7 +936,7 @@ msgstr "" #: code:addons/event/event.py:436 #, python-format msgid "Open" -msgstr "" +msgstr "فتح" #. module: event #: field:event.event,user_id:0 @@ -957,31 +957,31 @@ msgstr "" #: view:report.event.registration:0 #: field:report.event.registration,user_id:0 msgid "Responsible" -msgstr "" +msgstr "مسئول" #. module: event #: field:event.event,unit_price:0 #: view:event.registration:0 #: field:partner.event.registration,unit_price:0 msgid "Registration Cost" -msgstr "" +msgstr "تكلفة التسجيل" #. module: event #: field:event.registration,unit_price:0 msgid "Unit Price" -msgstr "" +msgstr "سعر الوحدة" #. module: event #: view:report.event.registration:0 #: field:report.event.registration,speaker_id:0 #: field:res.partner,speaker:0 msgid "Speaker" -msgstr "" +msgstr "مكبر صوت" #. module: event #: view:event.registration:0 msgid "Reply" -msgstr "" +msgstr "رد" #. module: event #: view:report.event.registration:0 @@ -998,14 +998,14 @@ msgstr "" #: field:event.event,date_end:0 #: field:partner.event.registration,end_date:0 msgid "Closing date" -msgstr "" +msgstr "تاريخ الإغلاق" #. module: event #: field:event.event,product_id:0 #: view:report.event.registration:0 #: field:report.event.registration,product_id:0 msgid "Product" -msgstr "" +msgstr "المنتج" #. module: event #: view:event.event:0 @@ -1013,7 +1013,7 @@ msgstr "" #: view:event.registration:0 #: field:event.registration,description:0 msgid "Description" -msgstr "" +msgstr "وصف" #. module: event #: field:report.event.registration,confirm_state:0 @@ -1023,17 +1023,17 @@ msgstr "" #. module: event #: model:ir.actions.act_window,name:event.act_register_event_partner msgid "Subscribe" -msgstr "" +msgstr "اشترك" #. module: event #: selection:report.event.registration,month:0 msgid "May" -msgstr "" +msgstr "مايو" #. module: event #: view:res.partner:0 msgid "Events Registration" -msgstr "" +msgstr "اشتراك الأحداث" #. module: event #: help:event.event,mail_registr:0 @@ -1048,61 +1048,61 @@ msgstr "" #. module: event #: field:event.registration.badge,address_id:0 msgid "Address" -msgstr "" +msgstr "العنوان" #. module: event #: view:board.board:0 #: model:ir.actions.act_window,name:event.act_event_view msgid "Next Events" -msgstr "" +msgstr "الحدث التالي" #. module: event #: view:partner.event.registration:0 msgid "_Subcribe" -msgstr "" +msgstr "اش_ترك" #. module: event #: model:ir.model,name:event.model_partner_event_registration msgid " event Registration " -msgstr "" +msgstr " تسجيل الحدث " #. module: event #: help:event.event,date_begin:0 #: help:partner.event.registration,start_date:0 msgid "Beginning Date of Event" -msgstr "" +msgstr "تاريخ بدء الحدث" #. module: event #: selection:event.registration,state:0 msgid "Unconfirmed" -msgstr "" +msgstr "غير مؤكد" #. module: event #: code:addons/event/event.py:565 #, python-format msgid "Auto Registration: [%s] %s" -msgstr "" +msgstr "تسجيل تلقائي: [%s] %s" #. module: event #: field:event.registration,date_deadline:0 msgid "End Date" -msgstr "" +msgstr "تاريخ الإنتهاء" #. module: event #: selection:report.event.registration,month:0 msgid "February" -msgstr "" +msgstr "فبراير" #. module: event #: view:board.board:0 msgid "Association Dashboard" -msgstr "" +msgstr "اللوحة المرتبطة" #. module: event #: view:event.event:0 #: field:event.registration.badge,name:0 msgid "Name" -msgstr "" +msgstr "الاسم" #. module: event #: field:event.event,section_id:0 @@ -1110,12 +1110,12 @@ msgstr "" #: view:report.event.registration:0 #: field:report.event.registration,section_id:0 msgid "Sale Team" -msgstr "" +msgstr "فريق المبيعات" #. module: event #: field:event.event,country_id:0 msgid "Country" -msgstr "" +msgstr "دولة" #. module: event #: code:addons/event/wizard/event_make_invoice.py:55 @@ -1135,7 +1135,7 @@ msgstr "" #. module: event #: selection:report.event.registration,month:0 msgid "April" -msgstr "" +msgstr "إبريل" #. module: event #: help:event.event,unit_price:0 @@ -1155,7 +1155,7 @@ msgstr "" #: view:report.event.registration:0 #: field:report.event.registration,type:0 msgid "Event Type" -msgstr "" +msgstr "نوع الحدث" #. module: event #: view:event.event:0 @@ -1215,7 +1215,7 @@ msgstr "" #: view:report.event.registration:0 #: field:report.event.registration,total:0 msgid "Total" -msgstr "" +msgstr "الإجمالي" #. module: event #: field:event.event,speaker_confirmed:0 @@ -1230,3 +1230,30 @@ msgid "" "caldav. Most of the users should work in the Calendar menu, and not in the " "list of events." msgstr "" + +#~ msgid "Last 7 Days" +#~ msgstr "٧ أيام الأخير" + +#~ msgid "Current Events" +#~ msgstr "الحدث الحالي" + +#~ msgid "Last 30 Days" +#~ msgstr "آخر ٣٠ يوم" + +#~ msgid "Error ! You can not create recursive associated members." +#~ msgstr "خطأ! لا يمكنك إنشاء أعضاء ذوي ارتباطات متداخلة." + +#~ msgid "Dashboard" +#~ msgstr "اللوحة الرئيسية" + +#~ msgid "Last 365 Days" +#~ msgstr "٣٦٥ يوم الأخيرة" + +#~ msgid "Attachments" +#~ msgstr "مرفقات" + +#~ msgid "Current" +#~ msgstr "الحالي" + +#~ msgid "Details" +#~ msgstr "تفاصيل" diff --git a/addons/lunch/i18n/ar.po b/addons/lunch/i18n/ar.po index 479d7ec15f0..c55fce89b56 100644 --- a/addons/lunch/i18n/ar.po +++ b/addons/lunch/i18n/ar.po @@ -8,14 +8,14 @@ msgstr "" "Project-Id-Version: openobject-addons\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2011-12-22 18:45+0000\n" -"PO-Revision-Date: 2012-01-10 21:55+0000\n" -"Last-Translator: FULL NAME \n" +"PO-Revision-Date: 2012-01-12 22:03+0000\n" +"Last-Translator: kifcaliph \n" "Language-Team: Arabic \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-11 04:40+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: lunch #: view:lunch.cashbox.clean:0 @@ -222,7 +222,7 @@ msgstr "" #. module: lunch #: view:report.lunch.amount:0 msgid " Month-1 " -msgstr " شهر-1 " +msgstr " شهر-١ " #. module: lunch #: field:report.lunch.amount,date:0 diff --git a/addons/marketing_campaign/i18n/ar.po b/addons/marketing_campaign/i18n/ar.po new file mode 100644 index 00000000000..816d4975787 --- /dev/null +++ b/addons/marketing_campaign/i18n/ar.po @@ -0,0 +1,1040 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:45+0000\n" +"PO-Revision-Date: 2012-01-12 05:49+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: marketing_campaign +#: view:marketing.campaign:0 +msgid "Manual Mode" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.transition,activity_from_id:0 +msgid "Previous Activity" +msgstr "النشاط السابق" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:818 +#, python-format +msgid "The current step for this item has no email or report to preview." +msgstr "" + +#. module: marketing_campaign +#: constraint:marketing.campaign.transition:0 +msgid "The To/From Activity of transition must be of the same Campaign " +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:148 +#, python-format +msgid "" +"The campaign cannot be started: it doesn't have any starting activity (or " +"any activity with a signal and no previous activity)" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign.transition,trigger:0 +msgid "Time" +msgstr "الوقت" + +#. module: marketing_campaign +#: selection:marketing.campaign.activity,type:0 +msgid "Custom Action" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: view:marketing.campaign:0 +#: view:marketing.campaign.segment:0 +#: view:marketing.campaign.workitem:0 +msgid "Group By..." +msgstr "تجميع حسب..." + +#. module: marketing_campaign +#: help:marketing.campaign.activity,revenue:0 +msgid "" +"Set an expected revenue if you consider that every campaign item that has " +"reached this point has generated a certain revenue. You can get revenue " +"statistics in the Reporting section" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.transition,trigger:0 +msgid "Trigger" +msgstr "" + +#. module: marketing_campaign +#: field:campaign.analysis,count:0 +msgid "# of Actions" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign:0 +msgid "Campaign Editor" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: view:marketing.campaign.workitem:0 +msgid "Today" +msgstr "اليوم" + +#. module: marketing_campaign +#: view:marketing.campaign:0 +#: selection:marketing.campaign,state:0 +#: view:marketing.campaign.segment:0 +#: selection:marketing.campaign.segment,state:0 +msgid "Running" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "March" +msgstr "مارس" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,object_id:0 +msgid "Object" +msgstr "كائن" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +msgid "Sync mode: only records created after last sync" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,condition:0 +msgid "" +"Python expression to decide whether the activity can be executed, otherwise " +"it will be deleted or cancelled.The expression may use the following " +"[browsable] variables:\n" +" - activity: the campaign activity\n" +" - workitem: the campaign workitem\n" +" - resource: the resource object this campaign item represents\n" +" - transitions: list of campaign transitions outgoing from this activity\n" +"...- re: Python regular expression module" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign:0 +#: view:marketing.campaign.segment:0 +msgid "Set to Draft" +msgstr "حفظ كمسودة" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,to_ids:0 +msgid "Next Activities" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +msgid "Synchronization" +msgstr "مزامنة" + +#. module: marketing_campaign +#: sql_constraint:marketing.campaign.transition:0 +msgid "The interval must be positive or zero" +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:818 +#, python-format +msgid "No preview" +msgstr "لا معاينة" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +#: field:marketing.campaign.segment,date_run:0 +msgid "Launch Date" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,day:0 +msgid "Day" +msgstr "يوم" + +#. module: marketing_campaign +#: view:marketing.campaign.activity:0 +msgid "Outgoing Transitions" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.workitem:0 +msgid "Reset" +msgstr "إستعادة" + +#. module: marketing_campaign +#: help:marketing.campaign,object_id:0 +msgid "Choose the resource on which you want this campaign to be run" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.segment,sync_last_date:0 +msgid "Last Synchronization" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign.transition,interval_type:0 +msgid "Year(s)" +msgstr "سنة/سنين" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:214 +#, python-format +msgid "Sorry, campaign duplication is not supported at the moment." +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.segment,sync_last_date:0 +msgid "" +"Date on which this segment was synchronized last time (automatically or " +"manually)" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,state:0 +#: selection:marketing.campaign,state:0 +#: selection:marketing.campaign.segment,state:0 +#: selection:marketing.campaign.workitem,state:0 +msgid "Cancelled" +msgstr "ملغي" + +#. module: marketing_campaign +#: selection:marketing.campaign.transition,trigger:0 +msgid "Automatic" +msgstr "تلقائي" + +#. module: marketing_campaign +#: help:marketing.campaign,mode:0 +msgid "" +"Test - It creates and process all the activities directly (without waiting " +"for the delay on transitions) but does not send emails or produce reports.\n" +"Test in Realtime - It creates and processes all the activities directly but " +"does not send emails or produce reports.\n" +"With Manual Confirmation - the campaigns runs normally, but the user has to " +"validate all workitem manually.\n" +"Normal - the campaign runs normally and automatically sends all emails and " +"reports (be very careful with this mode, you're live!)" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.segment,date_run:0 +msgid "Initial start date of this segment." +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,campaign_id:0 +#: view:marketing.campaign:0 +#: field:marketing.campaign.activity,campaign_id:0 +#: view:marketing.campaign.segment:0 +#: field:marketing.campaign.segment,campaign_id:0 +#: view:marketing.campaign.workitem:0 +#: field:marketing.campaign.workitem,campaign_id:0 +msgid "Campaign" +msgstr "حملة" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,start:0 +msgid "Start" +msgstr "إستئناف" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,segment_id:0 +#: view:marketing.campaign.segment:0 +#: view:marketing.campaign.workitem:0 +#: field:marketing.campaign.workitem,segment_id:0 +msgid "Segment" +msgstr "قطعة" + +#. module: marketing_campaign +#: view:marketing.campaign.activity:0 +msgid "Cost / Revenue" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,type:0 +msgid "" +"The type of action to execute when an item enters this activity, such as:\n" +" - Email: send an email using a predefined email template\n" +" - Report: print an existing Report defined on the resource item and save " +"it into a specific directory\n" +" - Custom Action: execute a predefined action, e.g. to modify the fields " +"of the resource record\n" +" " +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.segment,date_next_sync:0 +msgid "Next time the synchronization job is scheduled to run automatically" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign.transition,interval_type:0 +msgid "Month(s)" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,partner_id:0 +#: model:ir.model,name:marketing_campaign.model_res_partner +#: field:marketing.campaign.workitem,partner_id:0 +msgid "Partner" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.activity:0 +msgid "Transitions" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,keep_if_condition_not_met:0 +msgid "Don't delete workitems" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,state:0 +#: view:marketing.campaign:0 +#: field:marketing.campaign,state:0 +#: view:marketing.campaign.segment:0 +#: field:marketing.campaign.segment,state:0 +#: view:marketing.campaign.workitem:0 +#: field:marketing.campaign.workitem,state:0 +msgid "State" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +msgid "Marketing Reports" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign,state:0 +#: selection:marketing.campaign.segment,state:0 +msgid "New" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,type:0 +msgid "Type" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign,name:0 +#: field:marketing.campaign.activity,name:0 +#: field:marketing.campaign.segment,name:0 +#: field:marketing.campaign.transition,name:0 +msgid "Name" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.workitem,res_name:0 +msgid "Resource Name" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.segment,sync_mode:0 +msgid "Synchronization mode" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign:0 +#: view:marketing.campaign.segment:0 +msgid "Run" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,from_ids:0 +msgid "Previous Activities" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.segment,date_done:0 +msgid "Date this segment was last closed or cancelled." +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.workitem:0 +msgid "Marketing Campaign Activities" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.workitem:0 +#: field:marketing.campaign.workitem,error_msg:0 +msgid "Error Message" +msgstr "" + +#. module: marketing_campaign +#: model:ir.actions.act_window,name:marketing_campaign.action_marketing_campaign_form +#: model:ir.ui.menu,name:marketing_campaign.menu_marketing_campaign +#: model:ir.ui.menu,name:marketing_campaign.menu_marketing_campaign_form +#: view:marketing.campaign:0 +msgid "Campaigns" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.transition,interval_type:0 +msgid "Interval Unit" +msgstr "" + +#. module: marketing_campaign +#: field:campaign.analysis,country_id:0 +msgid "Country" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,report_id:0 +#: selection:marketing.campaign.activity,type:0 +msgid "Report" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "July" +msgstr "" + +#. module: marketing_campaign +#: model:ir.ui.menu,name:marketing_campaign.menu_marketing_configuration +msgid "Configuration" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,variable_cost:0 +msgid "" +"Set a variable cost if you consider that every campaign item that has " +"reached this point has entailed a certain cost. You can get cost statistics " +"in the Reporting section" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign.transition,interval_type:0 +msgid "Hour(s)" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +msgid " Month-1 " +msgstr "" + +#. module: marketing_campaign +#: model:ir.model,name:marketing_campaign.model_marketing_campaign_segment +msgid "Campaign Segment" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,keep_if_condition_not_met:0 +msgid "" +"By activating this option, workitems that aren't executed because the " +"condition is not met are marked as cancelled instead of being deleted." +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +msgid "Exceptions" +msgstr "" + +#. module: marketing_campaign +#: field:res.partner,workitem_ids:0 +msgid "Workitems" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign,fixed_cost:0 +msgid "Fixed Cost" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +msgid "Newly Modified" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.transition,interval_nbr:0 +msgid "Interval Value" +msgstr "" + +#. module: marketing_campaign +#: field:campaign.analysis,revenue:0 +#: field:marketing.campaign.activity,revenue:0 +msgid "Revenue" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "September" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "December" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign,partner_field_id:0 +msgid "" +"The generated workitems will be linked to the partner related to the record. " +"If the record is the partner itself leave this field empty. This is useful " +"for reporting purposes, via the Campaign Analysis or Campaign Follow-up " +"views." +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,month:0 +msgid "Month" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.transition,activity_to_id:0 +msgid "Next Activity" +msgstr "" + +#. module: marketing_campaign +#: model:ir.actions.act_window,name:marketing_campaign.act_marketing_campaing_followup +msgid "Campaign Follow-up" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,email_template_id:0 +msgid "The e-mail to send when this activity is activated" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign:0 +msgid "Test Mode" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign.segment,sync_mode:0 +msgid "Only records modified after last sync (no duplicates)" +msgstr "" + +#. module: marketing_campaign +#: model:ir.model,name:marketing_campaign.model_ir_actions_report_xml +msgid "ir.actions.report.xml" +msgstr "" + +#. module: marketing_campaign +#: model:ir.actions.act_window,name:marketing_campaign.act_marketing_campaing_stat +msgid "Campaign Statistics" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,server_action_id:0 +msgid "The action to perform when this activity is activated" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign,partner_field_id:0 +msgid "Partner Field" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: model:ir.actions.act_window,name:marketing_campaign.action_campaign_analysis_all +#: model:ir.model,name:marketing_campaign.model_campaign_analysis +#: model:ir.ui.menu,name:marketing_campaign.menu_action_campaign_analysis_all +msgid "Campaign Analysis" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.segment,sync_mode:0 +msgid "" +"Determines an additional criterion to add to the filter when selecting new " +"records to inject in the campaign. \"No duplicates\" prevents selecting " +"records which have already entered the campaign previously.If the campaign " +"has a \"unique field\" set, \"no duplicates\" will also prevent selecting " +"records which have the same value for the unique field as other records that " +"already entered the campaign." +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign,mode:0 +msgid "Test in Realtime" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign,mode:0 +msgid "Test Directly" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,report_directory_id:0 +msgid "Directory" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign:0 +#: view:marketing.campaign.segment:0 +msgid "Draft" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.workitem:0 +msgid "Preview" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.workitem:0 +msgid "Related Resource" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "August" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign,mode:0 +msgid "Normal" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,start:0 +msgid "This activity is launched when the campaign starts." +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,signal:0 +msgid "" +"An activity with a signal can be called programmatically. Be careful, the " +"workitem is always created when a signal is sent" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "June" +msgstr "" + +#. module: marketing_campaign +#: model:ir.model,name:marketing_campaign.model_email_template +msgid "Email Templates" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +msgid "Sync mode: all records" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign.segment,sync_mode:0 +msgid "All records (no duplicates)" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +msgid "Newly Created" +msgstr "" + +#. module: marketing_campaign +#: field:campaign.analysis,date:0 +#: view:marketing.campaign.workitem:0 +msgid "Date" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "November" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.activity:0 +#: field:marketing.campaign.activity,condition:0 +msgid "Condition" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,report_id:0 +msgid "The report to generate when this activity is activated" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign,unique_field_id:0 +msgid "Unique Field" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,state:0 +#: view:marketing.campaign.workitem:0 +#: selection:marketing.campaign.workitem,state:0 +msgid "Exception" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "October" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,email_template_id:0 +msgid "Email Template" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "January" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.workitem:0 +#: field:marketing.campaign.workitem,date:0 +msgid "Execution Date" +msgstr "" + +#. module: marketing_campaign +#: model:ir.model,name:marketing_campaign.model_marketing_campaign_workitem +msgid "Campaign Workitem" +msgstr "" + +#. module: marketing_campaign +#: model:ir.model,name:marketing_campaign.model_marketing_campaign_activity +msgid "Campaign Activity" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.activity,report_directory_id:0 +msgid "This folder is used to store the generated reports" +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:136 +#: code:addons/marketing_campaign/marketing_campaign.py:148 +#: code:addons/marketing_campaign/marketing_campaign.py:158 +#, python-format +msgid "Error" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.activity:0 +#: field:marketing.campaign.activity,server_action_id:0 +msgid "Action" +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:528 +#, python-format +msgid "Automatic transition" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +#: view:res.partner:0 +msgid "History" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.workitem:0 +msgid "Process" +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:530 +#: selection:marketing.campaign.transition,trigger:0 +#, python-format +msgid "Cosmetic" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.transition,trigger:0 +msgid "How is the destination workitem triggered" +msgstr "" + +#. module: marketing_campaign +#: model:ir.actions.act_window,help:marketing_campaign.action_marketing_campaign_form +msgid "" +"A marketing campaign is an event or activity that will help you manage and " +"reach your partners with specific messages. A campaign can have many " +"activities that will be triggered from a specific situation. One action " +"could be sending an email template that has previously been created in the " +"system." +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: selection:campaign.analysis,state:0 +#: view:marketing.campaign:0 +#: selection:marketing.campaign,state:0 +#: selection:marketing.campaign.segment,state:0 +#: selection:marketing.campaign.workitem,state:0 +msgid "Done" +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:214 +#, python-format +msgid "Operation not supported" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign:0 +#: view:marketing.campaign.segment:0 +#: view:marketing.campaign.workitem:0 +msgid "Cancel" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +msgid "Close" +msgstr "" + +#. module: marketing_campaign +#: constraint:marketing.campaign.segment:0 +msgid "Model of filter must be same as resource model of Campaign " +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +msgid "Synchronize Manually" +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:158 +#, python-format +msgid "The campaign cannot be marked as done before all segments are done" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.workitem:0 +#: field:marketing.campaign.workitem,res_id:0 +msgid "Resource ID" +msgstr "" + +#. module: marketing_campaign +#: model:ir.model,name:marketing_campaign.model_marketing_campaign_transition +msgid "Campaign Transition" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: selection:campaign.analysis,state:0 +#: view:marketing.campaign.workitem:0 +#: selection:marketing.campaign.workitem,state:0 +msgid "To Do" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.workitem:0 +msgid "Campaign Step" +msgstr "" + +#. module: marketing_campaign +#: model:ir.actions.act_window,name:marketing_campaign.action_marketing_campaign_segment_form +#: model:ir.ui.menu,name:marketing_campaign.menu_marketing_campaign_segment_form +#: view:marketing.campaign.segment:0 +msgid "Segments" +msgstr "" + +#. module: marketing_campaign +#: model:ir.actions.act_window,name:marketing_campaign.act_marketing_campaing_segment_opened +msgid "All Segments" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.activity:0 +msgid "Incoming Transitions" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign.activity,type:0 +msgid "E-mail" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign.transition,interval_type:0 +msgid "Day(s)" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign,activity_ids:0 +#: view:marketing.campaign.activity:0 +msgid "Activities" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "May" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign,unique_field_id:0 +msgid "" +"If set, this field will help segments that work in \"no duplicates\" mode to " +"avoid selecting similar records twice. Similar records are records that have " +"the same value for this unique field. For example by choosing the " +"\"email_from\" field for CRM Leads you would prevent sending the same " +"campaign to the same email address again. If not set, the \"no duplicates\" " +"segments will only avoid selecting the same record again if it entered the " +"campaign previously. Only easily comparable fields like textfields, " +"integers, selections or single relationships may be used." +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:529 +#, python-format +msgid "After %(interval_nbr)d %(interval_type)s" +msgstr "" + +#. module: marketing_campaign +#: model:ir.model,name:marketing_campaign.model_marketing_campaign +msgid "Marketing Campaign" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.segment,date_done:0 +msgid "End Date" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "February" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,res_id:0 +#: view:marketing.campaign:0 +#: field:marketing.campaign,object_id:0 +#: field:marketing.campaign.segment,object_id:0 +#: view:marketing.campaign.workitem:0 +#: field:marketing.campaign.workitem,object_id:0 +msgid "Resource" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign,fixed_cost:0 +msgid "" +"Fixed cost for running this campaign. You may also specify variable cost and " +"revenue on each campaign activity. Cost and Revenue statistics are included " +"in Campaign Reporting." +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +msgid "Sync mode: only records updated after last sync" +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:792 +#, python-format +msgid "Email Preview" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,signal:0 +msgid "Signal" +msgstr "" + +#. module: marketing_campaign +#: code:addons/marketing_campaign/marketing_campaign.py:136 +#, python-format +msgid "The campaign cannot be started: there are no activities in it" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.workitem,date:0 +msgid "If date is not set, this workitem has to be run manually" +msgstr "" + +#. module: marketing_campaign +#: selection:campaign.analysis,month:0 +msgid "April" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign:0 +#: field:marketing.campaign,mode:0 +msgid "Mode" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,activity_id:0 +#: view:marketing.campaign.activity:0 +#: view:marketing.campaign.workitem:0 +#: field:marketing.campaign.workitem,activity_id:0 +msgid "Activity" +msgstr "" + +#. module: marketing_campaign +#: help:marketing.campaign.segment,ir_filter_id:0 +msgid "" +"Filter to select the matching resource records that belong to this segment. " +"New filters can be created and saved using the advanced search on the list " +"view of the Resource. If no filter is set, all records are selected without " +"filtering. The synchronization mode may also add a criterion to the filter." +msgstr "" + +#. module: marketing_campaign +#: model:ir.actions.act_window,name:marketing_campaign.action_marketing_campaign_workitem +#: model:ir.ui.menu,name:marketing_campaign.menu_action_marketing_campaign_workitem +msgid "Campaign Followup" +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.segment,date_next_sync:0 +msgid "Next Synchronization" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +#: field:marketing.campaign.segment,ir_filter_id:0 +msgid "Filter" +msgstr "" + +#. module: marketing_campaign +#: view:marketing.campaign.segment:0 +msgid "All" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign.segment,sync_mode:0 +msgid "Only records created after last sync" +msgstr "" + +#. module: marketing_campaign +#: constraint:res.partner:0 +msgid "Error ! You cannot create recursive associated members." +msgstr "" + +#. module: marketing_campaign +#: field:marketing.campaign.activity,variable_cost:0 +msgid "Variable Cost" +msgstr "" + +#. module: marketing_campaign +#: selection:marketing.campaign,mode:0 +msgid "With Manual Confirmation" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,total_cost:0 +#: view:marketing.campaign:0 +msgid "Cost" +msgstr "" + +#. module: marketing_campaign +#: view:campaign.analysis:0 +#: field:campaign.analysis,year:0 +msgid "Year" +msgstr "" + +#~ msgid "This Year" +#~ msgstr "هذا العام" diff --git a/addons/outlook/i18n/ar.po b/addons/outlook/i18n/ar.po new file mode 100644 index 00000000000..bdce1f4914b --- /dev/null +++ b/addons/outlook/i18n/ar.po @@ -0,0 +1,104 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 05:49+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: outlook +#: field:outlook.installer,doc_file:0 +msgid "Installation Manual" +msgstr "" + +#. module: outlook +#: field:outlook.installer,description:0 +msgid "Description" +msgstr "" + +#. module: outlook +#: field:outlook.installer,plugin_file:0 +msgid "Outlook Plug-in" +msgstr "" + +#. module: outlook +#: model:ir.actions.act_window,name:outlook.action_outlook_installer +#: model:ir.actions.act_window,name:outlook.action_outlook_wizard +#: model:ir.ui.menu,name:outlook.menu_base_config_plugins_outlook +#: view:outlook.installer:0 +msgid "Install Outlook Plug-In" +msgstr "" + +#. module: outlook +#: view:outlook.installer:0 +msgid "" +"This plug-in allows you to create new contact or link contact to an existing " +"partner. \n" +"Also allows to link your e-mail to OpenERP's documents. \n" +"You can attach it to any existing one in OpenERP or create a new one." +msgstr "" + +#. module: outlook +#: field:outlook.installer,config_logo:0 +msgid "Image" +msgstr "" + +#. module: outlook +#: field:outlook.installer,outlook:0 +msgid "Outlook Plug-in " +msgstr "" + +#. module: outlook +#: model:ir.model,name:outlook.model_outlook_installer +msgid "outlook.installer" +msgstr "" + +#. module: outlook +#: help:outlook.installer,doc_file:0 +msgid "The documentation file :- how to install Outlook Plug-in." +msgstr "" + +#. module: outlook +#: help:outlook.installer,outlook:0 +msgid "" +"Allows you to select an object that you would like to add to your email and " +"its attachments." +msgstr "" + +#. module: outlook +#: view:outlook.installer:0 +msgid "title" +msgstr "" + +#. module: outlook +#: view:outlook.installer:0 +msgid "Installation and Configuration Steps" +msgstr "" + +#. module: outlook +#: field:outlook.installer,doc_name:0 +#: field:outlook.installer,name:0 +msgid "File name" +msgstr "" + +#. module: outlook +#: help:outlook.installer,plugin_file:0 +msgid "" +"outlook plug-in file. Save as this file and install this plug-in in outlook." +msgstr "" + +#. module: outlook +#: view:outlook.installer:0 +msgid "_Close" +msgstr "" diff --git a/addons/procurement/i18n/ar.po b/addons/procurement/i18n/ar.po new file mode 100644 index 00000000000..0098063856a --- /dev/null +++ b/addons/procurement/i18n/ar.po @@ -0,0 +1,955 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 05:49+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: procurement +#: view:make.procurement:0 +msgid "Ask New Products" +msgstr "" + +#. module: procurement +#: model:ir.ui.menu,name:procurement.menu_stock_sched +msgid "Schedulers" +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_make_procurement +msgid "Make Procurements" +msgstr "" + +#. module: procurement +#: help:procurement.order.compute.all,automatic:0 +msgid "" +"Triggers an automatic procurement for all products that have a virtual stock " +"under 0. You should probably not use this option, we suggest using a MTO " +"configuration on products." +msgstr "" + +#. module: procurement +#: view:stock.warehouse.orderpoint:0 +msgid "Group By..." +msgstr "" + +#. module: procurement +#: help:stock.warehouse.orderpoint,procurement_draft_ids:0 +msgid "Draft procurement of the product and location of that orderpoint" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:291 +#, python-format +msgid "No supplier defined for this product !" +msgstr "" + +#. module: procurement +#: field:make.procurement,uom_id:0 +msgid "Unit of Measure" +msgstr "" + +#. module: procurement +#: field:procurement.order,procure_method:0 +msgid "Procurement Method" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:307 +#, python-format +msgid "No address defined for the supplier" +msgstr "" + +#. module: procurement +#: model:ir.actions.act_window,name:procurement.action_procurement_compute +msgid "Compute Stock Minimum Rules Only" +msgstr "" + +#. module: procurement +#: constraint:stock.move:0 +msgid "You can not move products from or to a location of the type view." +msgstr "" + +#. module: procurement +#: field:procurement.order,company_id:0 +#: field:stock.warehouse.orderpoint,company_id:0 +msgid "Company" +msgstr "" + +#. module: procurement +#: field:procurement.order,product_uos_qty:0 +msgid "UoS Quantity" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +#: field:procurement.order,name:0 +msgid "Reason" +msgstr "" + +#. module: procurement +#: view:procurement.order.compute:0 +msgid "Compute Procurements" +msgstr "" + +#. module: procurement +#: field:procurement.order,message:0 +msgid "Latest error" +msgstr "" + +#. module: procurement +#: help:mrp.property,composition:0 +msgid "Not used in computations, for information purpose only." +msgstr "" + +#. module: procurement +#: field:stock.warehouse.orderpoint,procurement_id:0 +msgid "Latest procurement" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Notes" +msgstr "" + +#. module: procurement +#: selection:procurement.order,procure_method:0 +msgid "on order" +msgstr "" + +#. module: procurement +#: help:procurement.order,message:0 +msgid "Exception occurred while computing procurement orders." +msgstr "" + +#. module: procurement +#: help:procurement.order,state:0 +msgid "" +"When a procurement is created the state is set to 'Draft'.\n" +" If the procurement is confirmed, the state is set to 'Confirmed'. " +" \n" +"After confirming the state is set to 'Running'.\n" +" If any exception arises in the order then the state is set to 'Exception'.\n" +" Once the exception is removed the state becomes 'Ready'.\n" +" It is in 'Waiting'. state when the procurement is waiting for another one " +"to finish." +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Permanent Procurement Exceptions" +msgstr "" + +#. module: procurement +#: view:stock.warehouse.orderpoint:0 +msgid "Minimum Stock Rules Search" +msgstr "" + +#. module: procurement +#: view:procurement.order.compute.all:0 +msgid "Scheduler Parameters" +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_stock_move +msgid "Stock Move" +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_procurement_order_compute_all +msgid "Compute all schedulers" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Planification" +msgstr "" + +#. module: procurement +#: selection:procurement.order,state:0 +msgid "Ready" +msgstr "" + +#. module: procurement +#: field:procurement.order.compute.all,automatic:0 +msgid "Automatic orderpoint" +msgstr "" + +#. module: procurement +#: code:addons/procurement/schedulers.py:122 +#, python-format +msgid "" +"Here is the procurement scheduling report.\n" +"\n" +" Start Time: %s \n" +" End Time: %s \n" +" Total Procurements processed: %d \n" +" Procurements with exceptions: %d \n" +" Skipped Procurements (scheduled date outside of scheduler range) %d " +"\n" +"\n" +" Exceptions:\n" +msgstr "" + +#. module: procurement +#: field:mrp.property,composition:0 +msgid "Properties composition" +msgstr "" + +#. module: procurement +#: selection:procurement.order,state:0 +msgid "Confirmed" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Retry" +msgstr "" + +#. module: procurement +#: help:stock.warehouse.orderpoint,product_max_qty:0 +msgid "" +"When the virtual stock goes below the Min Quantity, OpenERP generates a " +"procurement to bring the virtual stock to the Quantity specified as Max " +"Quantity." +msgstr "" + +#. module: procurement +#: view:procurement.order.compute:0 +#: view:procurement.orderpoint.compute:0 +msgid "Parameters" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Confirm" +msgstr "" + +#. module: procurement +#: help:procurement.order,origin:0 +msgid "" +"Reference of the document that created this Procurement.\n" +"This is automatically completed by OpenERP." +msgstr "" + +#. module: procurement +#: view:stock.warehouse.orderpoint:0 +msgid "Procurement Orders to Process" +msgstr "" + +#. module: procurement +#: constraint:res.company:0 +msgid "Error! You can not create recursive companies." +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:386 +#, python-format +msgid "Procurement '%s' is in exception: " +msgstr "" + +#. module: procurement +#: field:procurement.order,priority:0 +msgid "Priority" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +#: field:procurement.order,state:0 +msgid "State" +msgstr "" + +#. module: procurement +#: field:procurement.order,location_id:0 +#: view:stock.warehouse.orderpoint:0 +#: field:stock.warehouse.orderpoint,location_id:0 +msgid "Location" +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_stock_picking +msgid "Picking List" +msgstr "" + +#. module: procurement +#: field:make.procurement,warehouse_id:0 +#: view:stock.warehouse.orderpoint:0 +#: field:stock.warehouse.orderpoint,warehouse_id:0 +msgid "Warehouse" +msgstr "" + +#. module: procurement +#: selection:stock.warehouse.orderpoint,logic:0 +msgid "Best price (not yet active!)" +msgstr "" + +#. module: procurement +#: code:addons/procurement/schedulers.py:110 +#, python-format +msgid "PROC %d: from stock - %3.2f %-5s - %s" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Product & Location" +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_procurement_order_compute +msgid "Compute Procurement" +msgstr "" + +#. module: procurement +#: field:stock.move,procurements:0 +msgid "Procurements" +msgstr "" + +#. module: procurement +#: field:res.company,schedule_range:0 +msgid "Scheduler Range Days" +msgstr "" + +#. module: procurement +#: model:ir.actions.act_window,help:procurement.procurement_action +msgid "" +"A procurement order is used to record a need for a specific product at a " +"specific location. A procurement order is usually created automatically from " +"sales orders, a Pull Logistics rule or Minimum Stock Rules. When the " +"procurement order is confirmed, it automatically creates the necessary " +"operations to fullfil the need: purchase order proposition, manufacturing " +"order, etc." +msgstr "" + +#. module: procurement +#: field:make.procurement,date_planned:0 +msgid "Planned Date" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Group By" +msgstr "" + +#. module: procurement +#: field:make.procurement,qty:0 +#: field:procurement.order,product_qty:0 +msgid "Quantity" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:379 +#, python-format +msgid "Not enough stock and no minimum orderpoint rule defined." +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:137 +#, python-format +msgid "Invalid action !" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "References" +msgstr "" + +#. module: procurement +#: view:res.company:0 +msgid "Configuration" +msgstr "" + +#. module: procurement +#: field:stock.warehouse.orderpoint,qty_multiple:0 +msgid "Qty Multiple" +msgstr "" + +#. module: procurement +#: help:procurement.order,procure_method:0 +msgid "" +"If you encode manually a Procurement, you probably want to use a make to " +"order method." +msgstr "" + +#. module: procurement +#: model:ir.ui.menu,name:procurement.menu_stock_procurement +msgid "Automatic Procurements" +msgstr "" + +#. module: procurement +#: field:stock.warehouse.orderpoint,product_max_qty:0 +msgid "Max Quantity" +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_procurement_order +#: model:process.process,name:procurement.process_process_procurementprocess0 +#: view:procurement.order:0 +msgid "Procurement" +msgstr "" + +#. module: procurement +#: model:ir.actions.act_window,name:procurement.procurement_action +msgid "Procurement Orders" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "To Fix" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Exceptions" +msgstr "" + +#. module: procurement +#: model:process.node,note:procurement.process_node_serviceonorder0 +msgid "Assignment from Production or Purchase Order." +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_mrp_property +msgid "Property" +msgstr "" + +#. module: procurement +#: model:ir.actions.act_window,name:procurement.act_make_procurement +#: view:make.procurement:0 +msgid "Procurement Request" +msgstr "" + +#. module: procurement +#: view:procurement.orderpoint.compute:0 +msgid "Compute Stock" +msgstr "" + +#. module: procurement +#: help:stock.warehouse.orderpoint,product_min_qty:0 +msgid "" +"When the virtual stock goes below the Min Quantity specified for this field, " +"OpenERP generates a procurement to bring the virtual stock to the Max " +"Quantity." +msgstr "" + +#. module: procurement +#: model:process.process,name:procurement.process_process_serviceproductprocess0 +msgid "Service" +msgstr "" + +#. module: procurement +#: field:stock.warehouse.orderpoint,procurement_draft_ids:0 +msgid "Related Procurement Orders" +msgstr "" + +#. module: procurement +#: view:procurement.orderpoint.compute:0 +msgid "" +"Wizard checks all the stock minimum rules and generate procurement order." +msgstr "" + +#. module: procurement +#: field:stock.warehouse.orderpoint,product_min_qty:0 +msgid "Min Quantity" +msgstr "" + +#. module: procurement +#: selection:procurement.order,priority:0 +msgid "Urgent" +msgstr "" + +#. module: procurement +#: selection:mrp.property,composition:0 +msgid "plus" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:328 +#, python-format +msgid "" +"Please check the Quantity in Procurement Order(s), it should not be less " +"than 1!" +msgstr "" + +#. module: procurement +#: help:stock.warehouse.orderpoint,active:0 +msgid "" +"If the active field is set to False, it will allow you to hide the " +"orderpoint without removing it." +msgstr "" + +#. module: procurement +#: help:procurement.orderpoint.compute,automatic:0 +msgid "If the stock of a product is under 0, it will act like an orderpoint" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Procurement Lines" +msgstr "" + +#. module: procurement +#: view:procurement.order.compute.all:0 +msgid "" +"This wizard allows you to run all procurement, production and/or purchase " +"orders that should be processed based on their configuration. By default, " +"the scheduler is launched automatically every night by OpenERP. You can use " +"this menu to force it to be launched now. Note that it runs in the " +"background, you may have to wait for a few minutes until it has finished " +"computing." +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +#: field:procurement.order,note:0 +msgid "Note" +msgstr "" + +#. module: procurement +#: selection:procurement.order,state:0 +msgid "Draft" +msgstr "" + +#. module: procurement +#: view:procurement.order.compute:0 +msgid "This wizard will schedule procurements." +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Status" +msgstr "" + +#. module: procurement +#: selection:procurement.order,priority:0 +msgid "Normal" +msgstr "" + +#. module: procurement +#: constraint:stock.move:0 +msgid "You try to assign a lot which is not from the same product" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:383 +#, python-format +msgid "Not enough stock." +msgstr "" + +#. module: procurement +#: field:stock.warehouse.orderpoint,active:0 +msgid "Active" +msgstr "" + +#. module: procurement +#: model:process.node,name:procurement.process_node_procureproducts0 +msgid "Procure Products" +msgstr "" + +#. module: procurement +#: field:procurement.order,date_planned:0 +msgid "Scheduled date" +msgstr "" + +#. module: procurement +#: selection:procurement.order,state:0 +msgid "Exception" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:381 +#, python-format +msgid "No minimum orderpoint rule defined." +msgstr "" + +#. module: procurement +#: code:addons/procurement/schedulers.py:183 +#, python-format +msgid "Automatic OP: %s" +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_procurement_orderpoint_compute +msgid "Automatic Order Point" +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_stock_warehouse_orderpoint +msgid "Minimum Inventory Rule" +msgstr "" + +#. module: procurement +#: help:stock.warehouse.orderpoint,qty_multiple:0 +msgid "The procurement quantity will be rounded up to this multiple." +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_res_company +msgid "Companies" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Extra Information" +msgstr "" + +#. module: procurement +#: help:procurement.order,name:0 +msgid "Procurement name." +msgstr "" + +#. module: procurement +#: constraint:stock.move:0 +msgid "You must assign a production lot for this product" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Procurement Reason" +msgstr "" + +#. module: procurement +#: sql_constraint:stock.warehouse.orderpoint:0 +msgid "Qty Multiple must be greater than zero." +msgstr "" + +#. module: procurement +#: selection:stock.warehouse.orderpoint,logic:0 +msgid "Order to Max" +msgstr "" + +#. module: procurement +#: sql_constraint:stock.picking:0 +msgid "Reference must be unique per Company!" +msgstr "" + +#. module: procurement +#: field:procurement.order,date_close:0 +msgid "Date Closed" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:138 +#, python-format +msgid "Cannot delete Procurement Order(s) which are in %s State!" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:327 +#, python-format +msgid "Data Insufficient !" +msgstr "" + +#. module: procurement +#: model:ir.model,name:procurement.model_mrp_property_group +#: field:mrp.property,group_id:0 +#: field:mrp.property.group,name:0 +msgid "Property Group" +msgstr "" + +#. module: procurement +#: view:stock.warehouse.orderpoint:0 +msgid "Misc" +msgstr "" + +#. module: procurement +#: view:stock.warehouse.orderpoint:0 +msgid "Locations" +msgstr "" + +#. module: procurement +#: selection:procurement.order,procure_method:0 +msgid "from stock" +msgstr "" + +#. module: procurement +#: view:stock.warehouse.orderpoint:0 +msgid "General Information" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Run Procurement" +msgstr "" + +#. module: procurement +#: selection:procurement.order,state:0 +msgid "Done" +msgstr "" + +#. module: procurement +#: view:make.procurement:0 +#: view:procurement.order:0 +#: selection:procurement.order,state:0 +#: view:procurement.order.compute:0 +#: view:procurement.order.compute.all:0 +#: view:procurement.orderpoint.compute:0 +msgid "Cancel" +msgstr "" + +#. module: procurement +#: field:stock.warehouse.orderpoint,logic:0 +msgid "Reordering Mode" +msgstr "" + +#. module: procurement +#: field:procurement.order,origin:0 +msgid "Source Document" +msgstr "" + +#. module: procurement +#: selection:procurement.order,priority:0 +msgid "Not urgent" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:297 +#, python-format +msgid "No default supplier defined for this product" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Late" +msgstr "" + +#. module: procurement +#: view:board.board:0 +msgid "Procurements in Exception" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Details" +msgstr "" + +#. module: procurement +#: model:ir.actions.act_window,name:procurement.procurement_action5 +#: model:ir.actions.act_window,name:procurement.procurement_action_board +#: model:ir.actions.act_window,name:procurement.procurement_exceptions +#: model:ir.ui.menu,name:procurement.menu_stock_procurement_action +#: view:procurement.order:0 +msgid "Procurement Exceptions" +msgstr "" + +#. module: procurement +#: model:ir.actions.act_window,name:procurement.act_procurement_2_stock_warehouse_orderpoint +#: model:ir.actions.act_window,name:procurement.act_product_product_2_stock_warehouse_orderpoint +#: model:ir.actions.act_window,name:procurement.act_stock_warehouse_2_stock_warehouse_orderpoint +#: model:ir.actions.act_window,name:procurement.action_orderpoint_form +#: model:ir.ui.menu,name:procurement.menu_stock_order_points +#: view:stock.warehouse.orderpoint:0 +msgid "Minimum Stock Rules" +msgstr "" + +#. module: procurement +#: field:procurement.order,close_move:0 +msgid "Close Move at end" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Scheduled Date" +msgstr "" + +#. module: procurement +#: field:make.procurement,product_id:0 +#: view:procurement.order:0 +#: field:procurement.order,product_id:0 +#: field:stock.warehouse.orderpoint,product_id:0 +msgid "Product" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Temporary" +msgstr "" + +#. module: procurement +#: field:mrp.property,description:0 +#: field:mrp.property.group,description:0 +msgid "Description" +msgstr "" + +#. module: procurement +#: selection:mrp.property,composition:0 +msgid "min" +msgstr "" + +#. module: procurement +#: view:stock.warehouse.orderpoint:0 +msgid "Quantity Rules" +msgstr "" + +#. module: procurement +#: selection:procurement.order,state:0 +msgid "Running" +msgstr "" + +#. module: procurement +#: field:stock.warehouse.orderpoint,product_uom:0 +msgid "Product UOM" +msgstr "" + +#. module: procurement +#: model:process.node,name:procurement.process_node_serviceonorder0 +msgid "Make to Order" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "UOM" +msgstr "" + +#. module: procurement +#: selection:procurement.order,state:0 +msgid "Waiting" +msgstr "" + +#. module: procurement +#: model:ir.actions.act_window,help:procurement.action_orderpoint_form +msgid "" +"You can define your minimum stock rules, so that OpenERP will automatically " +"create draft manufacturing orders or purchase quotations according to the " +"stock level. Once the virtual stock of a product (= stock on hand minus all " +"confirmed orders and reservations) is below the minimum quantity, OpenERP " +"will generate a procurement request to increase the stock up to the maximum " +"quantity." +msgstr "" + +#. module: procurement +#: field:procurement.order,move_id:0 +msgid "Reservation" +msgstr "" + +#. module: procurement +#: model:process.node,note:procurement.process_node_procureproducts0 +msgid "The way to procurement depends on the product type." +msgstr "" + +#. module: procurement +#: view:make.procurement:0 +msgid "" +"This wizard will plan the procurement for this product. This procurement may " +"generate task, production orders or purchase orders." +msgstr "" + +#. module: procurement +#: view:res.company:0 +msgid "MRP & Logistics Scheduler" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Temporary Procurement Exceptions" +msgstr "" + +#. module: procurement +#: sql_constraint:res.company:0 +msgid "The company name must be unique !" +msgstr "" + +#. module: procurement +#: field:mrp.property,name:0 +#: field:stock.warehouse.orderpoint,name:0 +msgid "Name" +msgstr "" + +#. module: procurement +#: selection:mrp.property,composition:0 +msgid "max" +msgstr "" + +#. module: procurement +#: field:procurement.order,product_uos:0 +msgid "Product UoS" +msgstr "" + +#. module: procurement +#: code:addons/procurement/procurement.py:356 +#, python-format +msgid "from stock: products assigned." +msgstr "" + +#. module: procurement +#: model:ir.actions.act_window,name:procurement.action_compute_schedulers +#: model:ir.ui.menu,name:procurement.menu_stock_proc_schedulers +#: view:procurement.order.compute.all:0 +msgid "Compute Schedulers" +msgstr "" + +#. module: procurement +#: model:ir.actions.act_window,help:procurement.procurement_exceptions +msgid "" +"Procurement Orders represent the need for a certain quantity of products, at " +"a given time, in a given location. Sales Orders are one typical source of " +"Procurement Orders (but these are distinct documents). Depending on the " +"procurement parameters and the product configuration, the procurement engine " +"will attempt to satisfy the need by reserving products from stock, ordering " +"products from a supplier, or passing a manufacturing order, etc. A " +"Procurement Exception occurs when the system cannot find a way to fulfill a " +"procurement. Some exceptions will resolve themselves automatically, but " +"others require manual intervention (those are identified by a specific error " +"message)." +msgstr "" + +#. module: procurement +#: field:procurement.order,product_uom:0 +msgid "Product UoM" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Search Procurement" +msgstr "" + +#. module: procurement +#: help:res.company,schedule_range:0 +msgid "" +"This is the time frame analysed by the scheduler when computing " +"procurements. All procurements that are not between today and today+range " +"are skipped for future computation." +msgstr "" + +#. module: procurement +#: selection:procurement.order,priority:0 +msgid "Very Urgent" +msgstr "" + +#. module: procurement +#: field:procurement.orderpoint.compute,automatic:0 +msgid "Automatic Orderpoint" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Procurement Details" +msgstr "" + +#. module: procurement +#: view:procurement.order:0 +msgid "Procurement started late" +msgstr "" + +#. module: procurement +#: code:addons/procurement/schedulers.py:184 +#, python-format +msgid "SCHEDULER" +msgstr "" + +#. module: procurement +#: code:addons/procurement/schedulers.py:87 +#, python-format +msgid "PROC %d: on order - %3.2f %-5s - %s" +msgstr "" diff --git a/addons/product/i18n/zh_CN.po b/addons/product/i18n/zh_CN.po index e582a93bc9a..ad86611bd86 100644 --- a/addons/product/i18n/zh_CN.po +++ b/addons/product/i18n/zh_CN.po @@ -7,14 +7,14 @@ msgstr "" "Project-Id-Version: OpenERP Server 6.0dev\n" "Report-Msgid-Bugs-To: support@openerp.com\n" "POT-Creation-Date: 2011-12-22 18:46+0000\n" -"PO-Revision-Date: 2011-02-03 07:52+0000\n" +"PO-Revision-Date: 2012-01-12 09:38+0000\n" "Last-Translator: Wei \"oldrev\" Li \n" "Language-Team: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-12-23 06:49+0000\n" -"X-Generator: Launchpad (build 14560)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: product #: view:product.pricelist.item:0 @@ -166,7 +166,7 @@ msgstr "打印日期" #. module: product #: field:product.product,qty_available:0 msgid "Quantity On Hand" -msgstr "" +msgstr "在手数量" #. module: product #: view:product.pricelist:0 @@ -269,7 +269,7 @@ msgstr "计量单位" #. module: product #: model:ir.actions.act_window,name:product.product_form_config_action msgid "Create or Import Products" -msgstr "" +msgstr "创建或导入产品" #. module: product #: help:product.template,supply_method:0 @@ -403,7 +403,7 @@ msgstr "基础价格" #. module: product #: field:product.product,color:0 msgid "Color Index" -msgstr "" +msgstr "颜色索引" #. module: product #: view:product.template:0 @@ -464,7 +464,7 @@ msgstr "垫板尺寸" #: code:addons/product/product.py:175 #, python-format msgid "Warning" -msgstr "" +msgstr "警告" #. module: product #: field:product.pricelist.item,base:0 @@ -474,7 +474,7 @@ msgstr "基于" #. module: product #: model:product.uom,name:product.product_uom_ton msgid "t" -msgstr "" +msgstr "t" #. module: product #: help:pricelist.partnerinfo,price:0 @@ -739,7 +739,7 @@ msgstr "价格表版本" #. module: product #: field:product.product,virtual_available:0 msgid "Quantity Available" -msgstr "" +msgstr "可供数量" #. module: product #: help:product.pricelist.item,sequence:0 @@ -821,7 +821,7 @@ msgstr "包装总重量" #. module: product #: view:product.product:0 msgid "Context..." -msgstr "" +msgstr "上下文..." #. module: product #: help:product.template,procure_method:0 @@ -1477,7 +1477,7 @@ msgstr "公共价格表" #. module: product #: field:product.product,product_image:0 msgid "Image" -msgstr "" +msgstr "图片" #. module: product #: selection:product.ul,type:0 diff --git a/addons/product_expiry/i18n/ar.po b/addons/product_expiry/i18n/ar.po new file mode 100644 index 00000000000..0207911e5d0 --- /dev/null +++ b/addons/product_expiry/i18n/ar.po @@ -0,0 +1,140 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 22:08+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: product_expiry +#: field:stock.production.lot,alert_date:0 +msgid "Alert Date" +msgstr "" + +#. module: product_expiry +#: view:product.product:0 +#: view:stock.production.lot:0 +msgid "Dates" +msgstr "تواريخ" + +#. module: product_expiry +#: model:ir.model,name:product_expiry.model_stock_production_lot +msgid "Production lot" +msgstr "" + +#. module: product_expiry +#: help:product.product,use_time:0 +msgid "" +"The number of days before a production lot starts deteriorating without " +"becoming dangerous." +msgstr "" + +#. module: product_expiry +#: field:stock.production.lot,life_date:0 +msgid "End of Life Date" +msgstr "" + +#. module: product_expiry +#: field:stock.production.lot,use_date:0 +msgid "Best before Date" +msgstr "" + +#. module: product_expiry +#: help:product.product,life_time:0 +msgid "" +"The number of days before a production lot may become dangerous and should " +"not be consumed." +msgstr "" + +#. module: product_expiry +#: model:ir.model,name:product_expiry.model_product_product +msgid "Product" +msgstr "المنتج" + +#. module: product_expiry +#: help:stock.production.lot,use_date:0 +msgid "" +"The date on which the lot starts deteriorating without becoming dangerous." +msgstr "" + +#. module: product_expiry +#: field:product.product,life_time:0 +msgid "Product Life Time" +msgstr "" + +#. module: product_expiry +#: field:product.product,removal_time:0 +msgid "Product Removal Time" +msgstr "" + +#. module: product_expiry +#: help:product.product,alert_time:0 +msgid "" +"The number of days after which an alert should be notified about the " +"production lot." +msgstr "" + +#. module: product_expiry +#: help:product.product,removal_time:0 +msgid "The number of days before a production lot should be removed." +msgstr "" + +#. module: product_expiry +#: constraint:product.product:0 +msgid "Error: Invalid ean code" +msgstr "" + +#. module: product_expiry +#: help:stock.production.lot,life_date:0 +msgid "" +"The date on which the lot may become dangerous and should not be consumed." +msgstr "" + +#. module: product_expiry +#: field:product.product,use_time:0 +msgid "Product Use Time" +msgstr "" + +#. module: product_expiry +#: field:stock.production.lot,removal_date:0 +msgid "Removal Date" +msgstr "" + +#. module: product_expiry +#: sql_constraint:stock.production.lot:0 +msgid "" +"The combination of serial number and internal reference must be unique !" +msgstr "" + +#. module: product_expiry +#: help:stock.production.lot,alert_date:0 +msgid "" +"The date on which an alert should be notified about the production lot." +msgstr "" + +#. module: product_expiry +#: field:product.product,alert_time:0 +msgid "Product Alert Time" +msgstr "" + +#. module: product_expiry +#: help:stock.production.lot,removal_date:0 +msgid "The date on which the lot should be removed." +msgstr "" + +#~ msgid "Ham" +#~ msgstr "هام" + +#~ msgid "LTR" +#~ msgstr "يسار-يمين" diff --git a/addons/product_expiry/i18n/ro.po b/addons/product_expiry/i18n/ro.po new file mode 100644 index 00000000000..264f01ded25 --- /dev/null +++ b/addons/product_expiry/i18n/ro.po @@ -0,0 +1,176 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 15:20+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: product_expiry +#: field:stock.production.lot,alert_date:0 +msgid "Alert Date" +msgstr "Data alertei" + +#. module: product_expiry +#: view:product.product:0 +#: view:stock.production.lot:0 +msgid "Dates" +msgstr "Date" + +#. module: product_expiry +#: model:ir.model,name:product_expiry.model_stock_production_lot +msgid "Production lot" +msgstr "Lot de producţie" + +#. module: product_expiry +#: help:product.product,use_time:0 +msgid "" +"The number of days before a production lot starts deteriorating without " +"becoming dangerous." +msgstr "" +"Numărul de zile inainte ca un lot de productie să inceapă să se deterioreze " +"fără a deveni periculos." + +#. module: product_expiry +#: field:stock.production.lot,life_date:0 +msgid "End of Life Date" +msgstr "Data expirării" + +#. module: product_expiry +#: field:stock.production.lot,use_date:0 +msgid "Best before Date" +msgstr "A se consuma inainte de" + +#. module: product_expiry +#: help:product.product,life_time:0 +msgid "" +"The number of days before a production lot may become dangerous and should " +"not be consumed." +msgstr "Numărul de zile inainte" + +#. module: product_expiry +#: model:ir.model,name:product_expiry.model_product_product +msgid "Product" +msgstr "Produs" + +#. module: product_expiry +#: help:stock.production.lot,use_date:0 +msgid "" +"The date on which the lot starts deteriorating without becoming dangerous." +msgstr "" +"Data la care loturile au inceput să se deterioreze fără a deveni periculoase." + +#. module: product_expiry +#: field:product.product,life_time:0 +msgid "Product Life Time" +msgstr "Durata de viată a produsului" + +#. module: product_expiry +#: field:product.product,removal_time:0 +msgid "Product Removal Time" +msgstr "Timpul de inlăturare al produsului" + +#. module: product_expiry +#: help:product.product,alert_time:0 +msgid "" +"The number of days after which an alert should be notified about the " +"production lot." +msgstr "" +"Numărul de zile după care o alertă trebuie să atentioneze in legătură cu " +"lotul de productie." + +#. module: product_expiry +#: help:product.product,removal_time:0 +msgid "The number of days before a production lot should be removed." +msgstr "Numărul de zile inainte ca un lot de productie să fie indepărat." + +#. module: product_expiry +#: constraint:product.product:0 +msgid "Error: Invalid ean code" +msgstr "Eroare: cod ean invalid" + +#. module: product_expiry +#: help:stock.production.lot,life_date:0 +msgid "" +"The date on which the lot may become dangerous and should not be consumed." +msgstr "Data la care lotul poate deveni periculos si nu ar trebui consumat." + +#. module: product_expiry +#: field:product.product,use_time:0 +msgid "Product Use Time" +msgstr "Durata de folosire a produsului" + +#. module: product_expiry +#: field:stock.production.lot,removal_date:0 +msgid "Removal Date" +msgstr "Data inlăturării" + +#. module: product_expiry +#: sql_constraint:stock.production.lot:0 +msgid "" +"The combination of serial number and internal reference must be unique !" +msgstr "" +"Combinatia dintre numarul de serie si referinta internă trebuie să fie unică " +"!" + +#. module: product_expiry +#: help:stock.production.lot,alert_date:0 +msgid "" +"The date on which an alert should be notified about the production lot." +msgstr "" +"Data la care o alertă ar trebui să instiinteze cu privire la lotul de " +"productie." + +#. module: product_expiry +#: field:product.product,alert_time:0 +msgid "Product Alert Time" +msgstr "Durata alertei produsului" + +#. module: product_expiry +#: help:stock.production.lot,removal_date:0 +msgid "The date on which the lot should be removed." +msgstr "Data la care lotul trebuie indepărtat." + +#~ msgid "Ham" +#~ msgstr "Suncă" + +#~ msgid "Products date of expiry" +#~ msgstr "Termenul de expirare a produselor" + +#~ msgid "Cow milk" +#~ msgstr "Lapte de vacă" + +#~ msgid "Bread" +#~ msgstr "Paine" + +#~ msgid "LTR" +#~ msgstr "LTR" + +#~ msgid "" +#~ "Track different dates on products and production lots:\n" +#~ " - end of life\n" +#~ " - best before date\n" +#~ " - removal date\n" +#~ " - alert date\n" +#~ "Used, for example, in food industries." +#~ msgstr "" +#~ "Tine evidenta diferitelor date de pe produse si loturi de productie:\n" +#~ " - sfarsitul valabilitătii\n" +#~ " - a se consuma inainte de data\n" +#~ " - data indepărtării\n" +#~ " - data alertei\n" +#~ " Folosit, de exemplu, in industria alimentară." + +#~ msgid "French cheese Camenbert" +#~ msgstr "Branza frantuzească Camenbert" diff --git a/addons/product_manufacturer/i18n/ar.po b/addons/product_manufacturer/i18n/ar.po new file mode 100644 index 00000000000..835e0c66b1a --- /dev/null +++ b/addons/product_manufacturer/i18n/ar.po @@ -0,0 +1,77 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 22:07+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: product_manufacturer +#: field:product.product,manufacturer_pref:0 +msgid "Manufacturer Product Code" +msgstr "" + +#. module: product_manufacturer +#: model:ir.model,name:product_manufacturer.model_product_product +#: field:product.manufacturer.attribute,product_id:0 +msgid "Product" +msgstr "المنتج" + +#. module: product_manufacturer +#: view:product.manufacturer.attribute:0 +msgid "Product Template Name" +msgstr "" + +#. module: product_manufacturer +#: model:ir.model,name:product_manufacturer.model_product_manufacturer_attribute +msgid "Product attributes" +msgstr "" + +#. module: product_manufacturer +#: view:product.manufacturer.attribute:0 +#: view:product.product:0 +msgid "Product Attributes" +msgstr "" + +#. module: product_manufacturer +#: field:product.manufacturer.attribute,name:0 +msgid "Attribute" +msgstr "الخاصية" + +#. module: product_manufacturer +#: field:product.manufacturer.attribute,value:0 +msgid "Value" +msgstr "قيمة" + +#. module: product_manufacturer +#: constraint:product.product:0 +msgid "Error: Invalid ean code" +msgstr "" + +#. module: product_manufacturer +#: view:product.product:0 +#: field:product.product,attribute_ids:0 +msgid "Attributes" +msgstr "صفات" + +#. module: product_manufacturer +#: field:product.product,manufacturer_pname:0 +msgid "Manufacturer Product Name" +msgstr "" + +#. module: product_manufacturer +#: view:product.product:0 +#: field:product.product,manufacturer:0 +msgid "Manufacturer" +msgstr "مصنّع" diff --git a/addons/product_visible_discount/i18n/ar.po b/addons/product_visible_discount/i18n/ar.po new file mode 100644 index 00000000000..face80ddef3 --- /dev/null +++ b/addons/product_visible_discount/i18n/ar.po @@ -0,0 +1,62 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 22:04+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: product_visible_discount +#: code:addons/product_visible_discount/product_visible_discount.py:145 +#, python-format +msgid "No Purchase Pricelist Found !" +msgstr "" + +#. module: product_visible_discount +#: code:addons/product_visible_discount/product_visible_discount.py:153 +#, python-format +msgid "No Sale Pricelist Found " +msgstr "" + +#. module: product_visible_discount +#: field:product.pricelist,visible_discount:0 +msgid "Visible Discount" +msgstr "" + +#. module: product_visible_discount +#: model:ir.model,name:product_visible_discount.model_account_invoice_line +msgid "Invoice Line" +msgstr "خط الفاتورة" + +#. module: product_visible_discount +#: code:addons/product_visible_discount/product_visible_discount.py:153 +#, python-format +msgid "You must first define a pricelist for Customer !" +msgstr "" + +#. module: product_visible_discount +#: model:ir.model,name:product_visible_discount.model_product_pricelist +msgid "Pricelist" +msgstr "قائمة الأسعار" + +#. module: product_visible_discount +#: code:addons/product_visible_discount/product_visible_discount.py:145 +#, python-format +msgid "You must first define a pricelist for Supplier !" +msgstr "" + +#. module: product_visible_discount +#: model:ir.model,name:product_visible_discount.model_sale_order_line +msgid "Sales Order Line" +msgstr "سطر أمر المبيعات" diff --git a/addons/profile_tools/i18n/ar.po b/addons/profile_tools/i18n/ar.po new file mode 100644 index 00000000000..d0a9143d1ca --- /dev/null +++ b/addons/profile_tools/i18n/ar.po @@ -0,0 +1,144 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-01-11 11:15+0000\n" +"PO-Revision-Date: 2012-01-12 22:03+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: profile_tools +#: help:misc_tools.installer,idea:0 +msgid "Promote ideas of the employees, votes and discussion on best ideas." +msgstr "" + +#. module: profile_tools +#: help:misc_tools.installer,share:0 +msgid "" +"Allows you to give restricted access to your OpenERP documents to external " +"users, such as customers, suppliers, or accountants. You can share any " +"OpenERP Menu such as your project tasks, support requests, invoices, etc." +msgstr "" + +#. module: profile_tools +#: help:misc_tools.installer,lunch:0 +msgid "A simple module to help you to manage Lunch orders." +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,subscription:0 +msgid "Recurring Documents" +msgstr "" + +#. module: profile_tools +#: model:ir.model,name:profile_tools.model_misc_tools_installer +msgid "misc_tools.installer" +msgstr "" + +#. module: profile_tools +#: model:ir.module.module,description:profile_tools.module_meta_information +msgid "" +"Installs tools for lunch,survey,subscription and audittrail\n" +" module\n" +" " +msgstr "" + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "" +"Extra Tools are applications that can help you improve your organization " +"although they are not key for company management." +msgstr "" + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "Configure" +msgstr "تهيئة" + +#. module: profile_tools +#: help:misc_tools.installer,survey:0 +msgid "Allows you to organize surveys." +msgstr "" + +#. module: profile_tools +#: model:ir.module.module,shortdesc:profile_tools.module_meta_information +msgid "Miscellaneous Tools" +msgstr "" + +#. module: profile_tools +#: help:misc_tools.installer,pad:0 +msgid "" +"This module creates a tighter integration between a Pad instance of your " +"choosing and your OpenERP Web Client by letting you easily link pads to " +"OpenERP objects via OpenERP attachments." +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,lunch:0 +msgid "Lunch" +msgstr "" + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "Extra Tools Configuration" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,idea:0 +msgid "Ideas Box" +msgstr "" + +#. module: profile_tools +#: help:misc_tools.installer,subscription:0 +msgid "Helps to generate automatically recurring documents." +msgstr "" + +#. module: profile_tools +#: model:ir.actions.act_window,name:profile_tools.action_misc_tools_installer +msgid "Tools Configuration" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,pad:0 +msgid "Collaborative Note Pads" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,survey:0 +msgid "Survey" +msgstr "" + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "Configure Extra Tools" +msgstr "" + +#. module: profile_tools +#: field:misc_tools.installer,progress:0 +msgid "Configuration Progress" +msgstr "سير الإعدادات" + +#. module: profile_tools +#: field:misc_tools.installer,config_logo:0 +msgid "Image" +msgstr "صورة" + +#. module: profile_tools +#: view:misc_tools.installer:0 +msgid "title" +msgstr "الاسم" + +#. module: profile_tools +#: field:misc_tools.installer,share:0 +msgid "Web Share" +msgstr "" diff --git a/addons/project_caldav/i18n/ar.po b/addons/project_caldav/i18n/ar.po new file mode 100644 index 00000000000..7a75c60582c --- /dev/null +++ b/addons/project_caldav/i18n/ar.po @@ -0,0 +1,561 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 21:37+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: project_caldav +#: help:project.task,exdate:0 +msgid "" +"This property defines the list of date/time exceptions for a recurring " +"calendar component." +msgstr "" + +#. module: project_caldav +#: field:project.task,we:0 +msgid "Wed" +msgstr "الأربعاء" + +#. module: project_caldav +#: selection:project.task,rrule_type:0 +msgid "Monthly" +msgstr "شهري" + +#. module: project_caldav +#: help:project.task,recurrency:0 +msgid "Recurrent Meeting" +msgstr "اجتماع دوري" + +#. module: project_caldav +#: selection:project.task,week_list:0 +msgid "Sunday" +msgstr "الأحد" + +#. module: project_caldav +#: selection:project.task,byday:0 +msgid "Fourth" +msgstr "رابعاً" + +#. module: project_caldav +#: field:project.task,show_as:0 +msgid "Show as" +msgstr "عرض كـ" + +#. module: project_caldav +#: view:project.task:0 +msgid "Assignees details" +msgstr "" + +#. module: project_caldav +#: field:project.task,day:0 +#: selection:project.task,select1:0 +msgid "Date of month" +msgstr "اليوم من الشهر" + +#. module: project_caldav +#: selection:project.task,class:0 +msgid "Public" +msgstr "عام" + +#. module: project_caldav +#: view:project.task:0 +msgid " " +msgstr "" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "March" +msgstr "مارس" + +#. module: project_caldav +#: constraint:project.task:0 +msgid "Error ! You cannot create recursive tasks." +msgstr "" + +#. module: project_caldav +#: selection:project.task,week_list:0 +msgid "Friday" +msgstr "الجمعة" + +#. module: project_caldav +#: field:project.task,allday:0 +msgid "All Day" +msgstr "اليوم كاملاً" + +#. module: project_caldav +#: selection:project.task,show_as:0 +msgid "Free" +msgstr "مجاني" + +#. module: project_caldav +#: field:project.task,mo:0 +msgid "Mon" +msgstr "الأثنين" + +#. module: project_caldav +#: model:ir.model,name:project_caldav.model_project_task +msgid "Task" +msgstr "مهمة" + +#. module: project_caldav +#: selection:project.task,byday:0 +msgid "Last" +msgstr "الأخير" + +#. module: project_caldav +#: view:project.task:0 +msgid "From" +msgstr "من" + +#. module: project_caldav +#: selection:project.task,rrule_type:0 +msgid "Yearly" +msgstr "سنوياً" + +#. module: project_caldav +#: view:project.task:0 +msgid "Recurrency Option" +msgstr "" + +#. module: project_caldav +#: field:project.task,tu:0 +msgid "Tue" +msgstr "الثلاثاء" + +#. module: project_caldav +#: field:project.task,end_date:0 +msgid "Repeat Until" +msgstr "تكرار حتى" + +#. module: project_caldav +#: field:project.task,organizer:0 +#: field:project.task,organizer_id:0 +msgid "Organizer" +msgstr "المنظِّم" + +#. module: project_caldav +#: field:project.task,sa:0 +msgid "Sat" +msgstr "السبت" + +#. module: project_caldav +#: field:project.task,attendee_ids:0 +msgid "Attendees" +msgstr "الحضور" + +#. module: project_caldav +#: field:project.task,su:0 +msgid "Sun" +msgstr "الأحد" + +#. module: project_caldav +#: field:project.task,end_type:0 +msgid "Recurrence termination" +msgstr "" + +#. module: project_caldav +#: selection:project.task,select1:0 +msgid "Day of month" +msgstr "يوم من شهر" + +#. module: project_caldav +#: field:project.task,location:0 +msgid "Location" +msgstr "المكان" + +#. module: project_caldav +#: selection:project.task,class:0 +msgid "Public for Employees" +msgstr "" + +#. module: project_caldav +#: view:project.task:0 +msgid "Mail TO" +msgstr "" + +#. module: project_caldav +#: field:project.task,exdate:0 +msgid "Exception Date/Times" +msgstr "تواريخ وأوقات الاستثناءات" + +#. module: project_caldav +#: field:project.task,base_calendar_url:0 +msgid "Caldav URL" +msgstr "عنوان (URL) Caldav" + +#. module: project_caldav +#: field:project.task,recurrent_uid:0 +msgid "Recurrent ID" +msgstr "معرّف التكرار" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "July" +msgstr "يوليو" + +#. module: project_caldav +#: field:project.task,th:0 +msgid "Thu" +msgstr "الخميس" + +#. module: project_caldav +#: help:project.task,count:0 +msgid "Repeat x times" +msgstr "تكرار س مرات" + +#. module: project_caldav +#: selection:project.task,rrule_type:0 +msgid "Daily" +msgstr "يومياً" + +#. module: project_caldav +#: field:project.task,class:0 +msgid "Mark as" +msgstr "تعليم كـ" + +#. module: project_caldav +#: field:project.task,count:0 +msgid "Repeat" +msgstr "تكرار" + +#. module: project_caldav +#: help:project.task,rrule_type:0 +msgid "Let the event automatically repeat at that interval" +msgstr "تكرار الحدث تلقائياً حسب تلك الفترة" + +#. module: project_caldav +#: selection:project.task,byday:0 +msgid "First" +msgstr "الأول" + +#. module: project_caldav +#: code:addons/project_caldav/project_caldav.py:67 +#, python-format +msgid "Tasks" +msgstr "مهام" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "September" +msgstr "سبتمبر" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "December" +msgstr "ديسمبر" + +#. module: project_caldav +#: selection:project.task,week_list:0 +msgid "Tuesday" +msgstr "الثلاثاء" + +#. module: project_caldav +#: field:project.task,month_list:0 +msgid "Month" +msgstr "شهر" + +#. module: project_caldav +#: field:project.task,vtimezone:0 +msgid "Timezone" +msgstr "المنطقة الزمنية" + +#. module: project_caldav +#: selection:project.task,rrule_type:0 +msgid "Weekly" +msgstr "أسبوعياً" + +#. module: project_caldav +#: field:project.task,fr:0 +msgid "Fri" +msgstr "الجمعة" + +#. module: project_caldav +#: help:project.task,location:0 +msgid "Location of Event" +msgstr "مكان الحدث" + +#. module: project_caldav +#: field:project.task,rrule:0 +msgid "Recurrent Rule" +msgstr "قاعدة التكرار" + +#. module: project_caldav +#: view:project.task:0 +msgid "End of recurrency" +msgstr "" + +#. module: project_caldav +#: view:project.task:0 +msgid "Reminder" +msgstr "تذكير" + +#. module: project_caldav +#: view:project.task:0 +msgid "Assignees Detail" +msgstr "" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "August" +msgstr "أغسطس" + +#. module: project_caldav +#: selection:project.task,week_list:0 +msgid "Monday" +msgstr "الأثنين" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "June" +msgstr "يونيو" + +#. module: project_caldav +#: selection:project.task,end_type:0 +msgid "Number of repetitions" +msgstr "" + +#. module: project_caldav +#: field:project.task,write_date:0 +msgid "Write Date" +msgstr "كتابة التاريخ" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "November" +msgstr "نوفمبر" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "October" +msgstr "أكتوبر" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "January" +msgstr "يناير" + +#. module: project_caldav +#: selection:project.task,week_list:0 +msgid "Wednesday" +msgstr "الأربعاء" + +#. module: project_caldav +#: view:project.task:0 +msgid "Choose day in the month where repeat the meeting" +msgstr "" + +#. module: project_caldav +#: selection:project.task,end_type:0 +msgid "End date" +msgstr "تاريخ الانتهاء" + +#. module: project_caldav +#: view:project.task:0 +msgid "To" +msgstr "إلى" + +#. module: project_caldav +#: field:project.task,recurrent_id:0 +msgid "Recurrent ID date" +msgstr "" + +#. module: project_caldav +#: help:project.task,interval:0 +msgid "Repeat every (Days/Week/Month/Year)" +msgstr "تكرار كل (يوم/أسبوع/شهر/سنة)" + +#. module: project_caldav +#: selection:project.task,show_as:0 +msgid "Busy" +msgstr "مشغول" + +#. module: project_caldav +#: field:project.task,interval:0 +msgid "Repeat every" +msgstr "كرر الكل" + +#. module: project_caldav +#: constraint:project.task:0 +msgid "Error ! Task end-date must be greater then task start-date" +msgstr "" + +#. module: project_caldav +#: field:project.task,recurrency:0 +msgid "Recurrent" +msgstr "تكرار" + +#. module: project_caldav +#: field:project.task,rrule_type:0 +msgid "Recurrency" +msgstr "" + +#. module: project_caldav +#: selection:project.task,week_list:0 +msgid "Thursday" +msgstr "الخميس" + +#. module: project_caldav +#: field:project.task,exrule:0 +msgid "Exception Rule" +msgstr "قاعدة الإستثناء" + +#. module: project_caldav +#: view:project.task:0 +msgid "Other" +msgstr "أخرى" + +#. module: project_caldav +#: view:project.task:0 +msgid "Details" +msgstr "تفاصيل" + +#. module: project_caldav +#: help:project.task,exrule:0 +msgid "" +"Defines a rule or repeating pattern of time to exclude from the recurring " +"rule." +msgstr "" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "May" +msgstr "مايو" + +#. module: project_caldav +#: view:project.task:0 +msgid "Assign Task" +msgstr "" + +#. module: project_caldav +#: view:project.task:0 +msgid "Choose day where repeat the meeting" +msgstr "" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "February" +msgstr "فبراير" + +#. module: project_caldav +#: selection:project.task,byday:0 +msgid "Third" +msgstr "ثالثاً" + +#. module: project_caldav +#: field:project.task,alarm_id:0 +#: field:project.task,base_calendar_alarm_id:0 +msgid "Alarm" +msgstr "منبه" + +#. module: project_caldav +#: selection:project.task,month_list:0 +msgid "April" +msgstr "أبريل" + +#. module: project_caldav +#: view:project.task:0 +msgid "Recurrency period" +msgstr "" + +#. module: project_caldav +#: field:project.task,week_list:0 +msgid "Weekday" +msgstr "يوم العمل" + +#. module: project_caldav +#: field:project.task,byday:0 +msgid "By day" +msgstr "" + +#. module: project_caldav +#: view:project.task:0 +msgid "The" +msgstr "الـ" + +#. module: project_caldav +#: field:project.task,select1:0 +msgid "Option" +msgstr "خيار" + +#. module: project_caldav +#: help:project.task,alarm_id:0 +msgid "Set an alarm at this time, before the event occurs" +msgstr "" + +#. module: project_caldav +#: selection:project.task,class:0 +msgid "Private" +msgstr "خاص" + +#. module: project_caldav +#: selection:project.task,byday:0 +msgid "Second" +msgstr "ثانية" + +#. module: project_caldav +#: field:project.task,date:0 +#: field:project.task,duration:0 +msgid "Duration" +msgstr "المُدة" + +#. module: project_caldav +#: selection:project.task,week_list:0 +msgid "Saturday" +msgstr "السبت" + +#. module: project_caldav +#: selection:project.task,byday:0 +msgid "Fifth" +msgstr "الخامس" + +#~ msgid "Days" +#~ msgstr "أيام" + +#~ msgid "No Repeat" +#~ msgstr "لا تكرار" + +#~ msgid "Edit all Occurrences of recurrent Meeting." +#~ msgstr "تعديل جميع مرات الاجتماع الدوري" + +#~ msgid "Hours" +#~ msgstr "ساعات" + +#~ msgid "Confidential" +#~ msgstr "خصوصي" + +#~ msgid "Weeks" +#~ msgstr "أسابيع" + +#~ msgid "Forever" +#~ msgstr "إلى الأبد" + +#~ msgid "Edit All" +#~ msgstr "تحرير الكل" + +#~ msgid "Months" +#~ msgstr "شهور" + +#~ msgid "Frequency" +#~ msgstr "التردد" + +#~ msgid "of" +#~ msgstr "من" + +#~ msgid "Fix amout of times" +#~ msgstr "تثبيت عدد المرات" + +#~ msgid "Years" +#~ msgstr "سنوات" diff --git a/addons/project_issue/i18n/ar.po b/addons/project_issue/i18n/ar.po new file mode 100644 index 00000000000..e32e2b759fa --- /dev/null +++ b/addons/project_issue/i18n/ar.po @@ -0,0 +1,1017 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:43+0000\n" +"PO-Revision-Date: 2012-01-12 21:17+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: project_issue +#: view:project.issue.report:0 +msgid "Previous Month" +msgstr "" + +#. module: project_issue +#: field:project.issue.report,delay_open:0 +msgid "Avg. Delay to Open" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +#: view:project.issue.report:0 +msgid "Group By..." +msgstr "تجميع حسب..." + +#. module: project_issue +#: field:project.issue,working_hours_open:0 +msgid "Working Hours to Open the Issue" +msgstr "" + +#. module: project_issue +#: constraint:project.project:0 +msgid "Error! project start-date must be lower then project end-date." +msgstr "" + +#. module: project_issue +#: field:project.issue,date_open:0 +msgid "Opened" +msgstr "مفتوحه" + +#. module: project_issue +#: field:project.issue.report,opening_date:0 +msgid "Date of Opening" +msgstr "" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "March" +msgstr "مارس" + +#. module: project_issue +#: field:project.issue,progress:0 +msgid "Progress (%)" +msgstr "نسبة التقدم (%)" + +#. module: project_issue +#: code:addons/project_issue/project_issue.py:406 +#, python-format +msgid "Warning !" +msgstr "تحذير !" + +#. module: project_issue +#: field:project.issue,company_id:0 +#: view:project.issue.report:0 +#: field:project.issue.report,company_id:0 +msgid "Company" +msgstr "شركة" + +#. module: project_issue +#: field:project.issue,email_cc:0 +msgid "Watchers Emails" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Today's features" +msgstr "" + +#. module: project_issue +#: model:ir.model,name:project_issue.model_project_issue_version +msgid "project.issue.version" +msgstr "" + +#. module: project_issue +#: field:project.issue,day_open:0 +msgid "Days to Open" +msgstr "الأيام للفتح" + +#. module: project_issue +#: code:addons/project_issue/project_issue.py:406 +#, python-format +msgid "" +"You cannot escalate this issue.\n" +"The relevant Project has not configured the Escalation Project!" +msgstr "" + +#. module: project_issue +#: constraint:project.project:0 +msgid "Error! You cannot assign escalation to the same project!" +msgstr "" + +#. module: project_issue +#: selection:project.issue,priority:0 +#: selection:project.issue.report,priority:0 +msgid "Highest" +msgstr "أعلى" + +#. module: project_issue +#: help:project.issue,inactivity_days:0 +msgid "Difference in days between last action and current date" +msgstr "" + +#. module: project_issue +#: view:project.issue.report:0 +#: field:project.issue.report,day:0 +msgid "Day" +msgstr "يوم" + +#. module: project_issue +#: field:project.issue,days_since_creation:0 +msgid "Days since creation date" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Add Internal Note" +msgstr "أضف ملاحظة داخلية" + +#. module: project_issue +#: field:project.issue,task_id:0 +#: view:project.issue.report:0 +#: field:project.issue.report,task_id:0 +msgid "Task" +msgstr "مهمة" + +#. module: project_issue +#: view:board.board:0 +msgid "Issues By Stage" +msgstr "" + +#. module: project_issue +#: field:project.issue,message_ids:0 +msgid "Messages" +msgstr "الرسائل" + +#. module: project_issue +#: field:project.issue,inactivity_days:0 +msgid "Days since last action" +msgstr "" + +#. module: project_issue +#: model:ir.model,name:project_issue.model_project_project +#: view:project.issue:0 +#: field:project.issue,project_id:0 +#: view:project.issue.report:0 +#: field:project.issue.report,project_id:0 +msgid "Project" +msgstr "مشروع" + +#. module: project_issue +#: model:ir.actions.act_window,name:project_issue.action_view_my_open_project_issue_tree +msgid "My Open Project issues" +msgstr "" + +#. module: project_issue +#: selection:project.issue,state:0 +#: selection:project.issue.report,state:0 +msgid "Cancelled" +msgstr "ملغي" + +#. module: project_issue +#: view:project.issue:0 +msgid "Change to Next Stage" +msgstr "" + +#. module: project_issue +#: field:project.issue.report,date_closed:0 +msgid "Date of Closing" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Issue Tracker Search" +msgstr "" + +#. module: project_issue +#: field:project.issue,color:0 +msgid "Color Index" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Issue / Partner" +msgstr "" + +#. module: project_issue +#: field:project.issue.report,working_hours_open:0 +msgid "Avg. Working Hours to Open" +msgstr "" + +#. module: project_issue +#: field:project.issue,date_action_next:0 +msgid "Next Action" +msgstr "الإجراء التالي" + +#. module: project_issue +#: help:project.project,project_escalation_id:0 +msgid "" +"If any issue is escalated from the current Project, it will be listed under " +"the project selected here." +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Extra Info" +msgstr "معلومات إضافية" + +#. module: project_issue +#: model:ir.actions.act_window,help:project_issue.action_project_issue_report +msgid "" +"This report on the project issues allows you to analyse the quality of your " +"support or after-sales services. You can track the issues per age. You can " +"analyse the time required to open or close an issue, the number of email to " +"exchange and the time spent on average by issues." +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Change Color" +msgstr "" + +#. module: project_issue +#: code:addons/project_issue/project_issue.py:482 +#, python-format +msgid " (copy)" +msgstr " (نسخ)" + +#. module: project_issue +#: view:project.issue:0 +msgid "Responsible" +msgstr "مسؤول" + +#. module: project_issue +#: selection:project.issue,priority:0 +#: selection:project.issue.report,priority:0 +msgid "Low" +msgstr "منخفض" + +#. module: project_issue +#: view:project.issue:0 +msgid "Statistics" +msgstr "إحصائيات" + +#. module: project_issue +#: view:project.issue:0 +msgid "Convert To Task" +msgstr "" + +#. module: project_issue +#: model:crm.case.categ,name:project_issue.bug_categ +msgid "Maintenance" +msgstr "الصيانة" + +#. module: project_issue +#: model:ir.actions.act_window,name:project_issue.action_project_issue_report +#: model:ir.ui.menu,name:project_issue.menu_project_issue_report_tree +#: view:project.issue.report:0 +msgid "Issues Analysis" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Next" +msgstr "التالي" + +#. module: project_issue +#: view:project.issue:0 +#: field:project.issue,priority:0 +#: view:project.issue.report:0 +#: field:project.issue.report,priority:0 +msgid "Priority" +msgstr "أولوية" + +#. module: project_issue +#: view:project.issue:0 +msgid "Send New Email" +msgstr "إرسال رسالة جديدة" + +#. module: project_issue +#: view:project.issue:0 +#: field:project.issue,version_id:0 +#: view:project.issue.report:0 +#: field:project.issue.report,version_id:0 +msgid "Version" +msgstr "النسخة" + +#. module: project_issue +#: view:project.issue:0 +#: selection:project.issue,state:0 +#: view:project.issue.report:0 +msgid "New" +msgstr "" + +#. module: project_issue +#: model:ir.actions.act_window,name:project_issue.project_issue_categ_action +msgid "Issue Categories" +msgstr "" + +#. module: project_issue +#: field:project.issue,email_from:0 +msgid "Email" +msgstr "بريد إلكتروني" + +#. module: project_issue +#: field:project.issue,channel_id:0 +#: field:project.issue.report,channel_id:0 +msgid "Channel" +msgstr "القناة" + +#. module: project_issue +#: selection:project.issue,priority:0 +#: selection:project.issue.report,priority:0 +msgid "Lowest" +msgstr "أدنى" + +#. module: project_issue +#: view:project.issue:0 +msgid "Unassigned Issues" +msgstr "" + +#. module: project_issue +#: field:project.issue,create_date:0 +#: view:project.issue.report:0 +#: field:project.issue.report,creation_date:0 +msgid "Creation Date" +msgstr "تاريخ الإنشاء" + +#. module: project_issue +#: model:ir.actions.act_window,name:project_issue.project_issue_version_action +#: model:ir.ui.menu,name:project_issue.menu_project_issue_version_act +msgid "Versions" +msgstr "الإصدارات" + +#. module: project_issue +#: view:project.issue:0 +msgid "To Do Issues" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Reset to Draft" +msgstr "إعادة التعيين لمسودة" + +#. module: project_issue +#: view:project.issue:0 +msgid "Today" +msgstr "اليوم" + +#. module: project_issue +#: model:ir.actions.act_window,name:project_issue.open_board_project_issue +#: model:ir.ui.menu,name:project_issue.menu_deshboard_project_issue +msgid "Project Issue Dashboard" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +#: selection:project.issue,state:0 +#: view:project.issue.report:0 +msgid "Done" +msgstr "تم" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "July" +msgstr "يوليو" + +#. module: project_issue +#: model:ir.ui.menu,name:project_issue.menu_project_issue_category_act +msgid "Categories" +msgstr "الفئات" + +#. module: project_issue +#: view:project.issue:0 +#: view:project.issue.report:0 +#: field:project.issue.report,type_id:0 +msgid "Stage" +msgstr "مرحلة" + +#. module: project_issue +#: view:project.issue:0 +msgid "History Information" +msgstr "معلومات المحفوظات" + +#. module: project_issue +#: model:ir.actions.act_window,name:project_issue.action_view_current_project_issue_tree +#: model:ir.actions.act_window,name:project_issue.action_view_pending_project_issue_tree +msgid "Project issues" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Communication & History" +msgstr "" + +#. module: project_issue +#: view:project.issue.report:0 +msgid "My Open Project Issue" +msgstr "" + +#. module: project_issue +#: model:ir.actions.act_window,name:project_issue.action_view_my_project_issue_tree +msgid "My Project Issues" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Contact" +msgstr "جهة الاتصال" + +#. module: project_issue +#: view:project.issue:0 +#: field:project.issue,partner_id:0 +#: view:project.issue.report:0 +#: field:project.issue.report,partner_id:0 +msgid "Partner" +msgstr "شريك" + +#. module: project_issue +#: view:board.board:0 +msgid "My Issues" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Change to Previous Stage" +msgstr "" + +#. module: project_issue +#: model:ir.actions.act_window,help:project_issue.project_issue_version_action +msgid "" +"You can use the issues tracker in OpenERP to handle bugs in the software " +"development project, to handle claims in after-sales services, etc. Define " +"here the different versions of your products on which you can work on issues." +msgstr "" + +#. module: project_issue +#: code:addons/project_issue/project_issue.py:330 +#, python-format +msgid "Tasks" +msgstr "مهام" + +#. module: project_issue +#: field:project.issue.report,nbr:0 +msgid "# of Issues" +msgstr "" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "September" +msgstr "سبتمبر" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "December" +msgstr "ديسمبر" + +#. module: project_issue +#: view:project.issue:0 +msgid "Issue Tracker Tree" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +#: view:project.issue.report:0 +#: field:project.issue.report,month:0 +msgid "Month" +msgstr "شهر" + +#. module: project_issue +#: model:ir.model,name:project_issue.model_project_issue_report +msgid "project.issue.report" +msgstr "" + +#. module: project_issue +#: code:addons/project_issue/project_issue.py:408 +#: view:project.issue:0 +#, python-format +msgid "Escalate" +msgstr "تصعيد" + +#. module: project_issue +#: model:crm.case.categ,name:project_issue.feature_request_categ +msgid "Feature Requests" +msgstr "" + +#. module: project_issue +#: field:project.issue,write_date:0 +msgid "Update Date" +msgstr "تاريخ التحديث" + +#. module: project_issue +#: view:project.issue:0 +msgid "Open Features" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Previous" +msgstr "السابق" + +#. module: project_issue +#: view:project.issue:0 +#: field:project.issue,categ_id:0 +#: view:project.issue.report:0 +#: field:project.issue.report,categ_id:0 +msgid "Category" +msgstr "فئة" + +#. module: project_issue +#: field:project.issue,user_email:0 +msgid "User Email" +msgstr "" + +#. module: project_issue +#: view:project.issue.report:0 +msgid "#Number of Project Issues" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Reset to New" +msgstr "" + +#. module: project_issue +#: help:project.issue,channel_id:0 +msgid "Communication channel." +msgstr "" + +#. module: project_issue +#: help:project.issue,email_cc:0 +msgid "" +"These email addresses will be added to the CC field of all inbound and " +"outbound emails for this record before being sent. Separate multiple email " +"addresses with a comma" +msgstr "" + +#. module: project_issue +#: selection:project.issue.report,state:0 +msgid "Draft" +msgstr "مسودة" + +#. module: project_issue +#: view:project.issue:0 +msgid "Contact Information" +msgstr "" + +#. module: project_issue +#: field:project.issue,date_closed:0 +#: selection:project.issue.report,state:0 +msgid "Closed" +msgstr "مغلق" + +#. module: project_issue +#: view:project.issue:0 +msgid "Reply" +msgstr "رد" + +#. module: project_issue +#: field:project.issue.report,delay_close:0 +msgid "Avg. Delay to Close" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +#: selection:project.issue,state:0 +#: view:project.issue.report:0 +#: selection:project.issue.report,state:0 +msgid "Pending" +msgstr "معلّق" + +#. module: project_issue +#: view:project.issue:0 +msgid "Status" +msgstr "الحالة" + +#. module: project_issue +#: view:project.issue.report:0 +msgid "#Project Issues" +msgstr "" + +#. module: project_issue +#: view:board.board:0 +msgid "Current Issues" +msgstr "" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "August" +msgstr "أغسطس" + +#. module: project_issue +#: selection:project.issue,priority:0 +#: selection:project.issue.report,priority:0 +msgid "Normal" +msgstr "عادي" + +#. module: project_issue +#: view:project.issue:0 +msgid "Global CC" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +#: view:project.issue.report:0 +msgid "To Do" +msgstr "في انتظار التنفيذ" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "June" +msgstr "يونيو" + +#. module: project_issue +#: view:project.issue:0 +msgid "New Issues" +msgstr "" + +#. module: project_issue +#: field:project.issue,day_close:0 +msgid "Days to Close" +msgstr "الأيام للغلق" + +#. module: project_issue +#: field:project.issue,active:0 +#: field:project.issue.version,active:0 +msgid "Active" +msgstr "نشط" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "November" +msgstr "نوفمبر" + +#. module: project_issue +#: view:project.issue.report:0 +msgid "Search" +msgstr "بحث" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "October" +msgstr "أكتوبر" + +#. module: project_issue +#: view:board.board:0 +msgid "Issues Dashboard" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +#: field:project.issue,type_id:0 +msgid "Stages" +msgstr "" + +#. module: project_issue +#: help:project.issue,days_since_creation:0 +msgid "Difference in days between creation date and current date" +msgstr "" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "January" +msgstr "يناير" + +#. module: project_issue +#: view:project.issue:0 +msgid "Feature Tracker Tree" +msgstr "" + +#. module: project_issue +#: help:project.issue,email_from:0 +msgid "These people will receive email." +msgstr "هؤلاء سيصلهم بريد إلكتروني." + +#. module: project_issue +#: view:board.board:0 +msgid "Issues By State" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +#: field:project.issue,date:0 +msgid "Date" +msgstr "تاريخ" + +#. module: project_issue +#: view:project.issue:0 +msgid "History" +msgstr "محفوظات" + +#. module: project_issue +#: field:project.issue,user_id:0 +#: view:project.issue.report:0 +#: field:project.issue.report,user_id:0 +msgid "Assigned to" +msgstr "مكلف إلى" + +#. module: project_issue +#: field:project.project,reply_to:0 +msgid "Reply-To Email Address" +msgstr "" + +#. module: project_issue +#: field:project.issue,partner_address_id:0 +msgid "Partner Contact" +msgstr "جهة الاتصال بالشريك" + +#. module: project_issue +#: view:project.issue:0 +msgid "Issue Tracker Form" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +#: field:project.issue,state:0 +#: view:project.issue.report:0 +#: field:project.issue.report,state:0 +msgid "State" +msgstr "الحالة" + +#. module: project_issue +#: view:project.issue:0 +msgid "General" +msgstr "عام" + +#. module: project_issue +#: view:project.issue:0 +msgid "Current Features" +msgstr "" + +#. module: project_issue +#: view:project.issue.version:0 +msgid "Issue Version" +msgstr "" + +#. module: project_issue +#: field:project.issue.version,name:0 +msgid "Version Number" +msgstr "رقم الإصدار" + +#. module: project_issue +#: view:project.issue:0 +msgid "Cancel" +msgstr "إلغاء" + +#. module: project_issue +#: view:project.issue:0 +msgid "Close" +msgstr "إغلاق" + +#. module: project_issue +#: view:project.issue:0 +#: selection:project.issue.report,state:0 +msgid "Open" +msgstr "فتح" + +#. module: project_issue +#: model:ir.actions.act_window,name:project_issue.act_project_project_2_project_issue_all +#: model:ir.actions.act_window,name:project_issue.project_issue_categ_act0 +#: model:ir.ui.menu,name:project_issue.menu_project_confi +#: model:ir.ui.menu,name:project_issue.menu_project_issue_track +#: view:project.issue:0 +msgid "Issues" +msgstr "" + +#. module: project_issue +#: selection:project.issue,state:0 +msgid "In Progress" +msgstr "" + +#. module: project_issue +#: model:ir.actions.act_window,name:project_issue.action_project_issue_graph_stage +#: model:ir.actions.act_window,name:project_issue.action_project_issue_graph_state +#: model:ir.model,name:project_issue.model_project_issue +#: view:project.issue.report:0 +msgid "Project Issue" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Creation Month" +msgstr "" + +#. module: project_issue +#: help:project.issue,progress:0 +msgid "Computed as: Time Spent / Total Time." +msgstr "حسابها كالتالي: الوقت المستغرق / الوقت الإجمالي." + +#. module: project_issue +#: model:ir.actions.act_window,help:project_issue.project_issue_categ_act0 +msgid "" +"Issues such as system bugs, customer complaints, and material breakdowns are " +"collected here. You can define the stages assigned when solving the project " +"issue (analysis, development, done). With the mailgateway module, issues can " +"be integrated through an email address (example: support@mycompany.com)" +msgstr "" + +#. module: project_issue +#: view:board.board:0 +#: view:project.issue:0 +msgid "Pending Issues" +msgstr "" + +#. module: project_issue +#: field:project.issue,name:0 +msgid "Issue" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Feature Tracker Search" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +#: field:project.issue,description:0 +msgid "Description" +msgstr "وصف" + +#. module: project_issue +#: field:project.issue,section_id:0 +msgid "Sales Team" +msgstr "فريق المبيعات" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "May" +msgstr "مايو" + +#. module: project_issue +#: view:project.issue.report:0 +#: field:project.issue.report,email:0 +msgid "# Emails" +msgstr "عدد الرسائل" + +#. module: project_issue +#: help:project.issue,state:0 +msgid "" +"The state is set to 'Draft', when a case is created. " +" \n" +"If the case is in progress the state is set to 'Open'. " +" \n" +"When the case is over, the state is set to 'Done'. " +" \n" +"If the case needs to be reviewed then the state is set to 'Pending'." +msgstr "" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "February" +msgstr "فبراير" + +#. module: project_issue +#: code:addons/project_issue/project_issue.py:70 +#, python-format +msgid "Issue '%s' has been opened." +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Feature description" +msgstr "" + +#. module: project_issue +#: view:project.issue:0 +msgid "Edit" +msgstr "" + +#. module: project_issue +#: field:project.project,project_escalation_id:0 +msgid "Project Escalation" +msgstr "" + +#. module: project_issue +#: help:project.issue,section_id:0 +msgid "" +"Sales team to which Case belongs to. Define " +"Responsible user and Email account for mail gateway." +msgstr "" + +#. module: project_issue +#: view:project.issue.report:0 +msgid "Month-1" +msgstr "" + +#. module: project_issue +#: code:addons/project_issue/project_issue.py:85 +#, python-format +msgid "Issue '%s' has been closed." +msgstr "" + +#. module: project_issue +#: selection:project.issue.report,month:0 +msgid "April" +msgstr "أبريل" + +#. module: project_issue +#: view:project.issue:0 +msgid "References" +msgstr "مراجع" + +#. module: project_issue +#: field:project.issue,working_hours_close:0 +msgid "Working Hours to Close the Issue" +msgstr "" + +#. module: project_issue +#: field:project.issue,id:0 +msgid "ID" +msgstr "معرّف" + +#. module: project_issue +#: view:project.issue.report:0 +msgid "Current Year" +msgstr "" + +#. module: project_issue +#: code:addons/project_issue/project_issue.py:415 +#, python-format +msgid "No Title" +msgstr "لا يوجد عنوان" + +#. module: project_issue +#: help:project.issue.report,delay_close:0 +#: help:project.issue.report,delay_open:0 +msgid "Number of Days to close the project issue" +msgstr "" + +#. module: project_issue +#: view:project.issue.report:0 +#: field:project.issue.report,section_id:0 +msgid "Sale Team" +msgstr "فريق المبيعات" + +#. module: project_issue +#: field:project.issue.report,working_hours_close:0 +msgid "Avg. Working Hours to Close" +msgstr "" + +#. module: project_issue +#: selection:project.issue,priority:0 +#: selection:project.issue.report,priority:0 +msgid "High" +msgstr "مرتفع" + +#. module: project_issue +#: field:project.issue,date_deadline:0 +msgid "Deadline" +msgstr "الموعد النهائي" + +#. module: project_issue +#: field:project.issue,date_action_last:0 +msgid "Last Action" +msgstr "آخر إجراء" + +#. module: project_issue +#: view:project.issue.report:0 +#: field:project.issue.report,name:0 +msgid "Year" +msgstr "سنة" + +#. module: project_issue +#: field:project.issue,duration:0 +msgid "Duration" +msgstr "المُدة" + +#. module: project_issue +#: view:board.board:0 +msgid "My Open Issues by Creation Date" +msgstr "" + +#~ msgid "Date Closed" +#~ msgstr "تاريخ الإغلاق" + +#~ msgid "Mobile" +#~ msgstr "الجوال" + +#~ msgid "Phone" +#~ msgstr "هاتف" + +#~ msgid "Extended Filters..." +#~ msgstr "مرشحات مفصلة..." + +#~ msgid "Attachments" +#~ msgstr "مرفقات" + +#~ msgid "Resolution" +#~ msgstr "القرار" + +#~ msgid "Communication" +#~ msgstr "التواصل" + +#~ msgid "Details" +#~ msgstr "تفاصيل" + +#~ msgid "Current" +#~ msgstr "الحالي" diff --git a/addons/project_issue_sheet/i18n/ar.po b/addons/project_issue_sheet/i18n/ar.po new file mode 100644 index 00000000000..bde65512a13 --- /dev/null +++ b/addons/project_issue_sheet/i18n/ar.po @@ -0,0 +1,77 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 21:17+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: project_issue_sheet +#: model:ir.model,name:project_issue_sheet.model_account_analytic_line +msgid "Analytic Line" +msgstr "خط تحليلي" + +#. module: project_issue_sheet +#: code:addons/project_issue_sheet/project_issue_sheet.py:57 +#, python-format +msgid "The Analytic Account is in pending !" +msgstr "" + +#. module: project_issue_sheet +#: model:ir.model,name:project_issue_sheet.model_project_issue +msgid "Project Issue" +msgstr "" + +#. module: project_issue_sheet +#: model:ir.model,name:project_issue_sheet.model_hr_analytic_timesheet +msgid "Timesheet Line" +msgstr "" + +#. module: project_issue_sheet +#: code:addons/project_issue_sheet/project_issue_sheet.py:57 +#: field:project.issue,analytic_account_id:0 +#, python-format +msgid "Analytic Account" +msgstr "حساب تحليلي" + +#. module: project_issue_sheet +#: view:project.issue:0 +msgid "Worklogs" +msgstr "" + +#. module: project_issue_sheet +#: field:account.analytic.line,create_date:0 +msgid "Create Date" +msgstr "إنشاء تاريخ" + +#. module: project_issue_sheet +#: view:project.issue:0 +#: field:project.issue,timesheet_ids:0 +msgid "Timesheets" +msgstr "الجداول الزمنية" + +#. module: project_issue_sheet +#: constraint:hr.analytic.timesheet:0 +msgid "You cannot modify an entry in a Confirmed/Done timesheet !." +msgstr "" + +#. module: project_issue_sheet +#: field:hr.analytic.timesheet,issue_id:0 +msgid "Issue" +msgstr "" + +#. module: project_issue_sheet +#: constraint:account.analytic.line:0 +msgid "You can not create analytic line on view account." +msgstr "" diff --git a/addons/project_long_term/i18n/ar.po b/addons/project_long_term/i18n/ar.po new file mode 100644 index 00000000000..bccac0bf8c2 --- /dev/null +++ b/addons/project_long_term/i18n/ar.po @@ -0,0 +1,535 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 21:12+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: project_long_term +#: model:ir.actions.act_window,name:project_long_term.act_project_phases +msgid "Phases" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +#: field:project.phase,next_phase_ids:0 +msgid "Next Phases" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Project's Tasks" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +#: view:project.user.allocation:0 +msgid "Group By..." +msgstr "تجميع حسب..." + +#. module: project_long_term +#: field:project.phase,user_ids:0 +msgid "Assigned Users" +msgstr "" + +#. module: project_long_term +#: field:project.phase,progress:0 +msgid "Progress" +msgstr "" + +#. module: project_long_term +#: constraint:project.project:0 +msgid "Error! project start-date must be lower then project end-date." +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "In Progress Phases" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Displaying settings" +msgstr "" + +#. module: project_long_term +#: field:project.compute.phases,target_project:0 +msgid "Schedule" +msgstr "مجدول" + +#. module: project_long_term +#: constraint:project.task:0 +msgid "Error ! You cannot create recursive tasks." +msgstr "" + +#. module: project_long_term +#: constraint:project.project:0 +msgid "Error! You cannot assign escalation to the same project!" +msgstr "" + +#. module: project_long_term +#: code:addons/project_long_term/project_long_term.py:126 +#, python-format +msgid "Day" +msgstr "يوم" + +#. module: project_long_term +#: model:ir.model,name:project_long_term.model_project_user_allocation +msgid "Phase User Allocation" +msgstr "" + +#. module: project_long_term +#: model:ir.model,name:project_long_term.model_project_task +msgid "Task" +msgstr "مهمة" + +#. module: project_long_term +#: model:ir.actions.act_window,help:project_long_term.act_project_phase +msgid "" +"A project can be split into the different phases. For each phase, you can " +"define your users allocation, describe different tasks and link your phase " +"to previous and next phases, add date constraints for the automated " +"scheduling. Use the long term planning in order to planify your available " +"users, convert your phases into a series of tasks when you start working on " +"the project." +msgstr "" + +#. module: project_long_term +#: selection:project.compute.phases,target_project:0 +msgid "Compute a Single Project" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +#: field:project.phase,previous_phase_ids:0 +msgid "Previous Phases" +msgstr "" + +#. module: project_long_term +#: help:project.phase,product_uom:0 +msgid "UoM (Unit of Measure) is the unit of measurement for Duration" +msgstr "" + +#. module: project_long_term +#: model:ir.actions.act_window,name:project_long_term.act_resouce_allocation +#: model:ir.ui.menu,name:project_long_term.menu_resouce_allocation +#: view:project.phase:0 +#: view:project.user.allocation:0 +msgid "Planning of Users" +msgstr "" + +#. module: project_long_term +#: help:project.phase,date_end:0 +msgid "" +" It's computed by the scheduler according to the start date and the duration." +msgstr "" + +#. module: project_long_term +#: model:ir.model,name:project_long_term.model_project_project +#: field:project.compute.phases,project_id:0 +#: field:project.compute.tasks,project_id:0 +#: view:project.phase:0 +#: field:project.phase,project_id:0 +#: view:project.task:0 +#: view:project.user.allocation:0 +#: field:project.user.allocation,project_id:0 +msgid "Project" +msgstr "مشروع" + +#. module: project_long_term +#: code:addons/project_long_term/wizard/project_compute_phases.py:48 +#, python-format +msgid "Error!" +msgstr "خطأ!" + +#. module: project_long_term +#: selection:project.phase,state:0 +msgid "Cancelled" +msgstr "ملغي" + +#. module: project_long_term +#: help:project.user.allocation,date_end:0 +msgid "Ending Date" +msgstr "تاريخ الانتهاء" + +#. module: project_long_term +#: field:project.phase,constraint_date_end:0 +msgid "Deadline" +msgstr "الموعد النهائي" + +#. module: project_long_term +#: selection:project.compute.phases,target_project:0 +msgid "Compute All My Projects" +msgstr "" + +#. module: project_long_term +#: view:project.compute.phases:0 +#: view:project.compute.tasks:0 +msgid "_Cancel" +msgstr "ال_غاء" + +#. module: project_long_term +#: code:addons/project_long_term/project_long_term.py:141 +#, python-format +msgid " (copy)" +msgstr " (نسخ)" + +#. module: project_long_term +#: view:project.user.allocation:0 +msgid "Project User Allocation" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +#: field:project.phase,state:0 +msgid "State" +msgstr "الحالة" + +#. module: project_long_term +#: view:project.compute.phases:0 +#: view:project.compute.tasks:0 +msgid "C_ompute" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +#: selection:project.phase,state:0 +msgid "New" +msgstr "" + +#. module: project_long_term +#: help:project.phase,progress:0 +msgid "Computed based on related tasks" +msgstr "" + +#. module: project_long_term +#: field:project.phase,product_uom:0 +msgid "Duration UoM" +msgstr "" + +#. module: project_long_term +#: field:project.phase,constraint_date_start:0 +msgid "Minimum Start Date" +msgstr "" + +#. module: project_long_term +#: model:ir.ui.menu,name:project_long_term.menu_pm_users_project1 +#: model:ir.ui.menu,name:project_long_term.menu_view_resource +msgid "Resources" +msgstr "الموارد" + +#. module: project_long_term +#: view:project.phase:0 +msgid "My Projects" +msgstr "" + +#. module: project_long_term +#: help:project.user.allocation,date_start:0 +msgid "Starting Date" +msgstr "تاريخ البدء" + +#. module: project_long_term +#: model:ir.actions.act_window,name:project_long_term.project_phase_task_list +msgid "Related Tasks" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "New Phases" +msgstr "" + +#. module: project_long_term +#: code:addons/project_long_term/wizard/project_compute_phases.py:48 +#, python-format +msgid "Please specify a project to schedule." +msgstr "" + +#. module: project_long_term +#: help:project.phase,constraint_date_start:0 +msgid "force the phase to start after this date" +msgstr "" + +#. module: project_long_term +#: field:project.phase,task_ids:0 +msgid "Project Tasks" +msgstr "" + +#. module: project_long_term +#: help:project.phase,date_start:0 +msgid "" +"It's computed by the scheduler according the project date or the end date of " +"the previous phase." +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Month" +msgstr "شهر" + +#. module: project_long_term +#: constraint:project.phase:0 +msgid "Phase start-date must be lower than phase end-date." +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Start Month" +msgstr "" + +#. module: project_long_term +#: field:project.phase,date_start:0 +#: field:project.user.allocation,date_start:0 +msgid "Start Date" +msgstr "تاريخ البدء" + +#. module: project_long_term +#: help:project.phase,constraint_date_end:0 +msgid "force the phase to finish before this date" +msgstr "" + +#. module: project_long_term +#: help:project.phase,user_ids:0 +msgid "" +"The ressources on the project can be computed automatically by the scheduler" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Draft" +msgstr "مسودة" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Pending Phases" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +#: selection:project.phase,state:0 +msgid "Pending" +msgstr "معلّق" + +#. module: project_long_term +#: view:project.user.allocation:0 +#: field:project.user.allocation,user_id:0 +msgid "User" +msgstr "مستخدم" + +#. module: project_long_term +#: model:ir.model,name:project_long_term.model_project_compute_tasks +msgid "Project Compute Tasks" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Constraints" +msgstr "القيود" + +#. module: project_long_term +#: help:project.phase,sequence:0 +msgid "Gives the sequence order when displaying a list of phases." +msgstr "" + +#. module: project_long_term +#: model:ir.actions.act_window,name:project_long_term.act_project_phase +#: model:ir.actions.act_window,name:project_long_term.act_project_phase_list +#: model:ir.ui.menu,name:project_long_term.menu_project_phase +#: model:ir.ui.menu,name:project_long_term.menu_project_phase_list +#: view:project.phase:0 +#: field:project.project,phase_ids:0 +msgid "Project Phases" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +#: selection:project.phase,state:0 +msgid "Done" +msgstr "تم" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Cancel" +msgstr "إلغاء" + +#. module: project_long_term +#: view:project.phase:0 +#: selection:project.phase,state:0 +msgid "In Progress" +msgstr "قيد التقدم" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Remaining Hours" +msgstr "الساعات المتبقية" + +#. module: project_long_term +#: constraint:project.task:0 +msgid "Error ! Task end-date must be greater then task start-date" +msgstr "" + +#. module: project_long_term +#: model:ir.ui.menu,name:project_long_term.menu_view_resource_calendar +msgid "Working Time" +msgstr "ساعات العمل" + +#. module: project_long_term +#: model:ir.actions.act_window,name:project_long_term.action_project_compute_phases +#: model:ir.ui.menu,name:project_long_term.menu_compute_phase +#: view:project.compute.phases:0 +msgid "Schedule Phases" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Start Phase" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Total Hours" +msgstr "" + +#. module: project_long_term +#: view:project.user.allocation:0 +msgid "Users" +msgstr "" + +#. module: project_long_term +#: view:project.user.allocation:0 +msgid "Phase" +msgstr "طور" + +#. module: project_long_term +#: help:project.phase,state:0 +msgid "" +"If the phase is created the state 'Draft'.\n" +" If the phase is started, the state becomes 'In Progress'.\n" +" If review is needed the phase is in 'Pending' state. " +" \n" +" If the phase is over, the states is set to 'Done'." +msgstr "" + +#. module: project_long_term +#: field:project.phase,date_end:0 +#: field:project.user.allocation,date_end:0 +msgid "End Date" +msgstr "تاريخ الإنتهاء" + +#. module: project_long_term +#: field:project.phase,name:0 +msgid "Name" +msgstr "الاسم" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Tasks Details" +msgstr "تفاصيل المهام" + +#. module: project_long_term +#: field:project.phase,duration:0 +msgid "Duration" +msgstr "المُدة" + +#. module: project_long_term +#: view:project.phase:0 +msgid "Project Users" +msgstr "" + +#. module: project_long_term +#: model:ir.model,name:project_long_term.model_project_phase +#: view:project.phase:0 +#: view:project.task:0 +#: field:project.task,phase_id:0 +#: field:project.user.allocation,phase_id:0 +msgid "Project Phase" +msgstr "" + +#. module: project_long_term +#: model:ir.actions.act_window,help:project_long_term.action_project_compute_phases +msgid "" +"To schedule phases of all or a specified project. It then open a gantt " +"view.\n" +" " +msgstr "" + +#. module: project_long_term +#: model:ir.model,name:project_long_term.model_project_compute_phases +msgid "Project Compute Phases" +msgstr "" + +#. module: project_long_term +#: constraint:project.phase:0 +msgid "Loops in phases not allowed" +msgstr "" + +#. module: project_long_term +#: field:project.phase,sequence:0 +msgid "Sequence" +msgstr "مسلسل" + +#. module: project_long_term +#: model:ir.ui.menu,name:project_long_term.menu_view_resource_calendar_leaves +msgid "Resource Leaves" +msgstr "" + +#. module: project_long_term +#: model:ir.actions.act_window,name:project_long_term.action_project_compute_tasks +#: model:ir.ui.menu,name:project_long_term.menu_compute_tasks +#: view:project.compute.tasks:0 +msgid "Schedule Tasks" +msgstr "" + +#. module: project_long_term +#: help:project.phase,duration:0 +msgid "By default in days" +msgstr "" + +#. module: project_long_term +#: view:project.phase:0 +#: field:project.phase,user_force_ids:0 +msgid "Force Assigned Users" +msgstr "" + +#. module: project_long_term +#: model:ir.ui.menu,name:project_long_term.menu_phase_schedule +msgid "Scheduling" +msgstr "الجدولة" + +#~ msgid "Availability" +#~ msgstr "متاح" + +#~ msgid "_Ok" +#~ msgstr "_موافق" + +#~ msgid "Dates" +#~ msgstr "تواريخ" + +#~ msgid "Timetable working hours to adjust the gantt diagram report" +#~ msgstr "الجدول الزمني لساعات العمل لتعديل تقرير الرسم البياني Gantt" + +#~ msgid "unknown" +#~ msgstr "غير معروف" + +#~ msgid "Current" +#~ msgstr "الحالي" + +#~ msgid "Responsible" +#~ msgstr "مسؤول" + +#~ msgid "Resource" +#~ msgstr "مورد" + +#~ msgid "Message" +#~ msgstr "رسالة" diff --git a/addons/project_mailgate/i18n/ar.po b/addons/project_mailgate/i18n/ar.po new file mode 100644 index 00000000000..81dd60fc6c9 --- /dev/null +++ b/addons/project_mailgate/i18n/ar.po @@ -0,0 +1,84 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 21:12+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: project_mailgate +#: view:project.task:0 +msgid "History Information" +msgstr "معلومات المحفوظات" + +#. module: project_mailgate +#: model:ir.model,name:project_mailgate.model_project_task +msgid "Task" +msgstr "مهمة" + +#. module: project_mailgate +#: constraint:project.task:0 +msgid "Error ! You cannot create recursive tasks." +msgstr "" + +#. module: project_mailgate +#: field:project.task,message_ids:0 +msgid "Messages" +msgstr "الرسائل" + +#. module: project_mailgate +#: code:addons/project_mailgate/project_mailgate.py:90 +#, python-format +msgid "Draft" +msgstr "مسودة" + +#. module: project_mailgate +#: constraint:project.task:0 +msgid "Error ! Task end-date must be greater then task start-date" +msgstr "" + +#. module: project_mailgate +#: code:addons/project_mailgate/project_mailgate.py:116 +#, python-format +msgid "Cancel" +msgstr "إلغاء" + +#. module: project_mailgate +#: code:addons/project_mailgate/project_mailgate.py:110 +#, python-format +msgid "Done" +msgstr "تم" + +#. module: project_mailgate +#: code:addons/project_mailgate/project_mailgate.py:96 +#, python-format +msgid "Open" +msgstr "فتح" + +#. module: project_mailgate +#: code:addons/project_mailgate/project_mailgate.py:102 +#, python-format +msgid "Pending" +msgstr "معلّق" + +#. module: project_mailgate +#: view:project.task:0 +msgid "History" +msgstr "محفوظات" + +#~ msgid "Attachments" +#~ msgstr "مرفقات" + +#~ msgid "Details" +#~ msgstr "تفاصيل" diff --git a/addons/project_messages/i18n/ar.po b/addons/project_messages/i18n/ar.po new file mode 100644 index 00000000000..46284c89432 --- /dev/null +++ b/addons/project_messages/i18n/ar.po @@ -0,0 +1,110 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 21:10+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: project_messages +#: field:project.messages,to_id:0 +msgid "To" +msgstr "إلى" + +#. module: project_messages +#: model:ir.model,name:project_messages.model_project_messages +msgid "project.messages" +msgstr "" + +#. module: project_messages +#: field:project.messages,from_id:0 +msgid "From" +msgstr "من" + +#. module: project_messages +#: view:project.messages:0 +msgid "Group By..." +msgstr "تجميع حسب..." + +#. module: project_messages +#: field:project.messages,create_date:0 +msgid "Creation Date" +msgstr "تاريخ الإنشاء" + +#. module: project_messages +#: help:project.messages,to_id:0 +msgid "Keep this empty to broadcast the message." +msgstr "" + +#. module: project_messages +#: model:ir.actions.act_window,name:project_messages.act_project_messages +#: model:ir.actions.act_window,name:project_messages.action_view_project_editable_messages_tree +#: view:project.messages:0 +#: view:project.project:0 +#: field:project.project,message_ids:0 +msgid "Messages" +msgstr "الرسائل" + +#. module: project_messages +#: model:ir.model,name:project_messages.model_project_project +#: view:project.messages:0 +#: field:project.messages,project_id:0 +msgid "Project" +msgstr "مشروع" + +#. module: project_messages +#: model:ir.actions.act_window,help:project_messages.messages_form +msgid "" +"An in-project messaging system allows for an efficient and trackable " +"communication between project members. The messages are stored in the system " +"and can be used for post analysis." +msgstr "" + +#. module: project_messages +#: view:project.messages:0 +msgid "Today" +msgstr "اليوم" + +#. module: project_messages +#: view:project.messages:0 +msgid "Message To" +msgstr "" + +#. module: project_messages +#: constraint:project.project:0 +msgid "Error! You cannot assign escalation to the same project!" +msgstr "" + +#. module: project_messages +#: view:project.messages:0 +#: field:project.messages,message:0 +msgid "Message" +msgstr "رسالة" + +#. module: project_messages +#: view:project.messages:0 +msgid "Message From" +msgstr "" + +#. module: project_messages +#: model:ir.actions.act_window,name:project_messages.messages_form +#: model:ir.ui.menu,name:project_messages.menu_messages_form +#: view:project.messages:0 +msgid "Project Messages" +msgstr "" + +#. module: project_messages +#: constraint:project.project:0 +msgid "Error! project start-date must be lower then project end-date." +msgstr "" diff --git a/addons/purchase_double_validation/i18n/ar.po b/addons/purchase_double_validation/i18n/ar.po new file mode 100644 index 00000000000..f460f300966 --- /dev/null +++ b/addons/purchase_double_validation/i18n/ar.po @@ -0,0 +1,73 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 20:12+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: purchase_double_validation +#: view:purchase.double.validation.installer:0 +msgid "Purchase Application Configuration" +msgstr "" + +#. module: purchase_double_validation +#: view:purchase.double.validation.installer:0 +msgid "Define minimum amount after which puchase is needed to be validated." +msgstr "" + +#. module: purchase_double_validation +#: view:purchase.double.validation.installer:0 +msgid "title" +msgstr "الاسم" + +#. module: purchase_double_validation +#: field:purchase.double.validation.installer,config_logo:0 +msgid "Image" +msgstr "صورة" + +#. module: purchase_double_validation +#: model:ir.actions.act_window,name:purchase_double_validation.action_config_purchase_limit_amount +#: view:purchase.double.validation.installer:0 +msgid "Configure Limit Amount for Purchase" +msgstr "" + +#. module: purchase_double_validation +#: view:board.board:0 +#: model:ir.actions.act_window,name:purchase_double_validation.purchase_waiting +msgid "Purchase Order Waiting Approval" +msgstr "" + +#. module: purchase_double_validation +#: view:purchase.double.validation.installer:0 +msgid "res_config_contents" +msgstr "res_config_contents" + +#. module: purchase_double_validation +#: help:purchase.double.validation.installer,limit_amount:0 +msgid "Maximum amount after which validation of purchase is required." +msgstr "" + +#. module: purchase_double_validation +#: model:ir.model,name:purchase_double_validation.model_purchase_double_validation_installer +msgid "purchase.double.validation.installer" +msgstr "" + +#. module: purchase_double_validation +#: field:purchase.double.validation.installer,limit_amount:0 +msgid "Maximum Purchase Amount" +msgstr "" + +#~ msgid "Configuration Progress" +#~ msgstr "سير الإعدادات" diff --git a/addons/purchase_requisition/i18n/ar.po b/addons/purchase_requisition/i18n/ar.po new file mode 100644 index 00000000000..a5fe3775328 --- /dev/null +++ b/addons/purchase_requisition/i18n/ar.po @@ -0,0 +1,453 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 17:44+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: purchase_requisition +#: sql_constraint:purchase.order:0 +msgid "Order Reference must be unique per Company!" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +#: selection:purchase.requisition,state:0 +msgid "In Progress" +msgstr "قيد التقدم" + +#. module: purchase_requisition +#: code:addons/purchase_requisition/wizard/purchase_requisition_partner.py:42 +#, python-format +msgid "No Product in Tender" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.order:0 +msgid "Requisition" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +#: field:purchase.requisition,user_id:0 +msgid "Responsible" +msgstr "مسؤول" + +#. module: purchase_requisition +#: view:purchase.requisition.partner:0 +msgid "Create Quotation" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Group By..." +msgstr "تجميع حسب..." + +#. module: purchase_requisition +#: view:purchase.requisition:0 +#: field:purchase.requisition,state:0 +msgid "State" +msgstr "الحالة" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Purchase Requisition in negociation" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "Supplier" +msgstr "مورِّد" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +#: selection:purchase.requisition,state:0 +msgid "New" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "Product Detail" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +#: field:purchase.requisition,date_start:0 +msgid "Requisition Date" +msgstr "" + +#. module: purchase_requisition +#: model:ir.actions.act_window,name:purchase_requisition.action_purchase_requisition_partner +#: model:ir.actions.report.xml,name:purchase_requisition.report_purchase_requisition +#: model:ir.model,name:purchase_requisition.model_purchase_requisition +#: model:ir.module.category,name:purchase_requisition.module_category_purchase_requisition +#: field:product.product,purchase_requisition:0 +#: field:purchase.order,requisition_id:0 +#: view:purchase.requisition:0 +#: field:purchase.requisition.line,requisition_id:0 +#: view:purchase.requisition.partner:0 +msgid "Purchase Requisition" +msgstr "" + +#. module: purchase_requisition +#: model:ir.model,name:purchase_requisition.model_purchase_requisition_line +msgid "Purchase Requisition Line" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.order:0 +msgid "Purchase Orders with requisition" +msgstr "" + +#. module: purchase_requisition +#: model:ir.model,name:purchase_requisition.model_product_product +#: field:purchase.requisition.line,product_id:0 +msgid "Product" +msgstr "المنتج" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Quotations" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +#: field:purchase.requisition,description:0 +msgid "Description" +msgstr "وصف" + +#. module: purchase_requisition +#: help:product.product,purchase_requisition:0 +msgid "" +"Check this box so that requisitions generates purchase requisitions instead " +"of directly requests for quotations." +msgstr "" + +#. module: purchase_requisition +#: code:addons/purchase_requisition/purchase_requisition.py:136 +#, python-format +msgid "Warning" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "Type" +msgstr "نوع" + +#. module: purchase_requisition +#: field:purchase.requisition,company_id:0 +#: field:purchase.requisition.line,company_id:0 +msgid "Company" +msgstr "شركة" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Request a Quotation" +msgstr "" + +#. module: purchase_requisition +#: selection:purchase.requisition,exclusive:0 +msgid "Multiple Requisitions" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +#: field:purchase.requisition.line,product_uom_id:0 +msgid "Product UoM" +msgstr "وحدة القياس للمنتج" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Approved by Supplier" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Reset to Draft" +msgstr "إعادة التعيين لمسودة" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Current Purchase Requisition" +msgstr "" + +#. module: purchase_requisition +#: model:res.groups,name:purchase_requisition.group_purchase_requisition_user +msgid "User" +msgstr "" + +#. module: purchase_requisition +#: field:purchase.requisition.partner,partner_address_id:0 +msgid "Address" +msgstr "عنوان" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "Order Reference" +msgstr "مرجع الأمر" + +#. module: purchase_requisition +#: model:ir.actions.act_window,help:purchase_requisition.action_purchase_requisition +msgid "" +"A purchase requisition is the step before a request for quotation. In a " +"purchase requisition (or purchase tender), you can record the products you " +"need to buy and trigger the creation of RfQs to suppliers. After the " +"negotiation, once you have reviewed all the supplier's offers, you can " +"validate some and cancel others." +msgstr "" + +#. module: purchase_requisition +#: field:purchase.requisition.line,product_qty:0 +msgid "Quantity" +msgstr "كمية" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Unassigned Requisition" +msgstr "" + +#. module: purchase_requisition +#: model:ir.actions.act_window,name:purchase_requisition.action_purchase_requisition +#: model:ir.ui.menu,name:purchase_requisition.menu_purchase_requisition_pro_mgt +msgid "Purchase Requisitions" +msgstr "" + +#. module: purchase_requisition +#: code:addons/purchase_requisition/purchase_requisition.py:136 +#, python-format +msgid "" +"You have already one %s purchase order for this partner, you must cancel " +"this purchase order to create a new quotation." +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "End Date" +msgstr "تاريخ الإنتهاء" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +#: field:purchase.requisition,name:0 +msgid "Requisition Reference" +msgstr "" + +#. module: purchase_requisition +#: field:purchase.requisition,line_ids:0 +msgid "Products to Purchase" +msgstr "" + +#. module: purchase_requisition +#: field:purchase.requisition,date_end:0 +msgid "Requisition Deadline" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Search Purchase Requisition" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Notes" +msgstr "ملاحظات" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "Date Ordered" +msgstr "تاريخ الأمر" + +#. module: purchase_requisition +#: help:purchase.requisition,exclusive:0 +msgid "" +"Purchase Requisition (exclusive): On the confirmation of a purchase order, " +"it cancels the remaining purchase order.\n" +"Purchase Requisition(Multiple): It allows to have multiple purchase " +"orders.On confirmation of a purchase order it does not cancel the remaining " +"orders" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Cancel Purchase Order" +msgstr "" + +#. module: purchase_requisition +#: model:ir.model,name:purchase_requisition.model_purchase_order +#: view:purchase.requisition:0 +msgid "Purchase Order" +msgstr "أمر الشراء" + +#. module: purchase_requisition +#: code:addons/purchase_requisition/wizard/purchase_requisition_partner.py:42 +#, python-format +msgid "Error!" +msgstr "خطأ!" + +#. module: purchase_requisition +#: field:purchase.requisition,exclusive:0 +msgid "Requisition Type" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "New Purchase Requisition" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Products" +msgstr "المنتجات" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Order Date" +msgstr "تاريخ الأمر" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "]" +msgstr "]" + +#. module: purchase_requisition +#: selection:purchase.requisition,state:0 +msgid "Cancelled" +msgstr "ملغي" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "[" +msgstr "[" + +#. module: purchase_requisition +#: model:ir.model,name:purchase_requisition.model_purchase_requisition_partner +msgid "Purchase Requisition Partner" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Start" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "Quotation Detail" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "Purchase for Requisitions" +msgstr "" + +#. module: purchase_requisition +#: model:ir.actions.act_window,name:purchase_requisition.act_res_partner_2_purchase_order +msgid "Purchase orders" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +#: view:purchase.requisition:0 +#: field:purchase.requisition,origin:0 +msgid "Origin" +msgstr "المصدر" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Reference" +msgstr "مرجع" + +#. module: purchase_requisition +#: model:ir.model,name:purchase_requisition.model_procurement_order +msgid "Procurement" +msgstr "المشتريات" + +#. module: purchase_requisition +#: field:purchase.requisition,warehouse_id:0 +msgid "Warehouse" +msgstr "المخزن" + +#. module: purchase_requisition +#: field:procurement.order,requisition_id:0 +msgid "Latest Requisition" +msgstr "" + +#. module: purchase_requisition +#: report:purchase.requisition:0 +msgid "Qty" +msgstr "الكمية" + +#. module: purchase_requisition +#: selection:purchase.requisition,exclusive:0 +msgid "Purchase Requisition (exclusive)" +msgstr "" + +#. module: purchase_requisition +#: model:res.groups,name:purchase_requisition.group_purchase_requisition_manager +msgid "Manager" +msgstr "" + +#. module: purchase_requisition +#: constraint:product.product:0 +msgid "Error: Invalid ean code" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +#: selection:purchase.requisition,state:0 +msgid "Done" +msgstr "تم" + +#. module: purchase_requisition +#: view:purchase.requisition.partner:0 +msgid "_Cancel" +msgstr "ال_غاء" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Confirm Purchase Order" +msgstr "" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Cancel" +msgstr "إلغاء" + +#. module: purchase_requisition +#: field:purchase.requisition.partner,partner_id:0 +msgid "Partner" +msgstr "شريك" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Start Date" +msgstr "تاريخ البدء" + +#. module: purchase_requisition +#: view:purchase.requisition:0 +msgid "Unassigned" +msgstr "غير مخصص" + +#. module: purchase_requisition +#: field:purchase.requisition,purchase_ids:0 +msgid "Purchase Orders" +msgstr "" + +#~ msgid "Draft" +#~ msgstr "مسودة" + +#~ msgid "Confirm" +#~ msgstr "تأكيد" + +#~ msgid "Order Reference must be unique !" +#~ msgstr "لا بدّ أن يكون مرجع الأمر فريداً" diff --git a/addons/report_designer/i18n/ar.po b/addons/report_designer/i18n/ar.po new file mode 100644 index 00000000000..b7e726f1d44 --- /dev/null +++ b/addons/report_designer/i18n/ar.po @@ -0,0 +1,98 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-01-11 11:15+0000\n" +"PO-Revision-Date: 2012-01-12 05:50+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: report_designer +#: model:ir.actions.act_window,name:report_designer.action_report_designer_installer +#: view:report_designer.installer:0 +msgid "Reporting Tools Configuration" +msgstr "" + +#. module: report_designer +#: field:report_designer.installer,base_report_creator:0 +msgid "Query Builder" +msgstr "" + +#. module: report_designer +#: view:report_designer.installer:0 +msgid "Configure" +msgstr "تهيئة" + +#. module: report_designer +#: view:report_designer.installer:0 +msgid "title" +msgstr "الاسم" + +#. module: report_designer +#: model:ir.model,name:report_designer.model_report_designer_installer +msgid "report_designer.installer" +msgstr "report_designer.installer" + +#. module: report_designer +#: field:report_designer.installer,config_logo:0 +msgid "Image" +msgstr "صورة" + +#. module: report_designer +#: field:report_designer.installer,base_report_designer:0 +msgid "OpenOffice Report Designer" +msgstr "" + +#. module: report_designer +#: model:ir.module.module,shortdesc:report_designer.module_meta_information +msgid "Reporting Tools" +msgstr "" + +#. module: report_designer +#: view:report_designer.installer:0 +msgid "" +"OpenERP's built-in reporting abilities can be improved even further with " +"some of the following applications" +msgstr "" + +#. module: report_designer +#: view:report_designer.installer:0 +msgid "Configure Reporting Tools" +msgstr "" + +#. module: report_designer +#: help:report_designer.installer,base_report_creator:0 +msgid "" +"Allows you to create any statistic reports on several objects. It's a SQL " +"query builder and browser for end users." +msgstr "" + +#. module: report_designer +#: help:report_designer.installer,base_report_designer:0 +msgid "" +"Adds wizards to Import/Export .SXW report which you can modify in " +"OpenOffice.Once you have modified it you can upload the report using the " +"same wizard." +msgstr "" + +#. module: report_designer +#: model:ir.module.module,description:report_designer.module_meta_information +msgid "" +"Installer for reporting tools selection\n" +" " +msgstr "" + +#. module: report_designer +#: field:report_designer.installer,progress:0 +msgid "Configuration Progress" +msgstr "سير الإعدادات" diff --git a/addons/report_webkit/i18n/ar.po b/addons/report_webkit/i18n/ar.po new file mode 100644 index 00000000000..b7802f9b34e --- /dev/null +++ b/addons/report_webkit/i18n/ar.po @@ -0,0 +1,546 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 05:51+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: report_webkit +#: view:ir.actions.report.xml:0 +msgid "Webkit Template (used if Report File is not found)" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Tabloid 29 279.4 x 431.8 mm" +msgstr "" + +#. module: report_webkit +#: field:res.company,lib_path:0 +msgid "Webkit Executable Path" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Ledger 28 431.8 x 279.4 mm" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:226 +#, python-format +msgid "No header defined for this Webkit report!" +msgstr "" + +#. module: report_webkit +#: help:ir.header_img,type:0 +msgid "Image type(png,gif,jpeg)" +msgstr "" + +#. module: report_webkit +#: help:ir.actions.report.xml,precise_mode:0 +msgid "" +"This mode allow more precise element " +" position as each object is printed on a separate HTML. " +" but memory and disk " +"usage is wider" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Executive 4 7.5 x 10 inches, 190.5 x 254 mm" +msgstr "" + +#. module: report_webkit +#: field:ir.header_img,company_id:0 +#: field:ir.header_webkit,company_id:0 +msgid "Company" +msgstr "شركة" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:101 +#, python-format +msgid "path to Wkhtmltopdf is not absolute" +msgstr "" + +#. module: report_webkit +#: view:ir.header_webkit:0 +msgid "Company and Page Setup" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "DLE 26 110 x 220 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B7 21 88 x 125 mm" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:255 +#: code:addons/report_webkit/webkit_report.py:266 +#: code:addons/report_webkit/webkit_report.py:275 +#: code:addons/report_webkit/webkit_report.py:288 +#: code:addons/report_webkit/webkit_report.py:299 +#, python-format +msgid "Webkit render" +msgstr "" + +#. module: report_webkit +#: view:res.company:0 +msgid "Headers" +msgstr "" + +#. module: report_webkit +#: help:ir.header_img,name:0 +msgid "Name of Image" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:95 +#, python-format +msgid "" +"Wrong Wkhtmltopdf path set in company'+\n" +" 'Given path is not executable or path is " +"wrong" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:170 +#, python-format +msgid "Webkit raise an error" +msgstr "" + +#. module: report_webkit +#: model:ir.actions.act_window,name:report_webkit.action_header_webkit +#: model:ir.ui.menu,name:report_webkit.menu_header_webkit +msgid "Webkit Headers/Footers" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Legal 3 8.5 x 14 inches, 215.9 x 355.6 mm" +msgstr "" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_ir_header_webkit +msgid "ir.header_webkit" +msgstr "ir.header_webkit" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A4 0 210 x 297 mm, 8.26 x 11.69 inches" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:83 +#, python-format +msgid "" +"Please install executable on your system'+\n" +" ' (sudo apt-get install wkhtmltopdf) or " +"download it from here:'+\n" +" ' " +"http://code.google.com/p/wkhtmltopdf/downloads/list and set the'+\n" +" ' path to the executable on the Company " +"form.'+\n" +" 'Minimal version is 0.9.9" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B6 20 125 x 176 mm" +msgstr "" + +#. module: report_webkit +#: view:report.webkit.actions:0 +msgid "_Cancel" +msgstr "ال_غاء" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B2 17 500 x 707 mm" +msgstr "" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_ir_header_img +msgid "ir.header_img" +msgstr "ir.header_img" + +#. module: report_webkit +#: field:ir.actions.report.xml,precise_mode:0 +msgid "Precise Mode" +msgstr "" + +#. module: report_webkit +#: constraint:res.company:0 +msgid "Error! You can not create recursive companies." +msgstr "خطأ! لا يمكنك إنشاء شركات متداخلة (شركات تستخدم نفسها)." + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A0 5 841 x 1189 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "C5E 24 163 x 229 mm" +msgstr "" + +#. module: report_webkit +#: field:ir.header_img,type:0 +msgid "Type" +msgstr "نوع" + +#. module: report_webkit +#: code:addons/report_webkit/wizard/report_webkit_actions.py:137 +#, python-format +msgid "Client Actions Connections" +msgstr "" + +#. module: report_webkit +#: field:res.company,header_image:0 +msgid "Available Images" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,html:0 +msgid "webkit header" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B1 15 707 x 1000 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A1 6 594 x 841 mm" +msgstr "" + +#. module: report_webkit +#: help:ir.actions.report.xml,webkit_header:0 +msgid "The header linked to the report" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:82 +#, python-format +msgid "Wkhtmltopdf library path is not set in company" +msgstr "" + +#. module: report_webkit +#: view:ir.actions.report.xml:0 +#: view:res.company:0 +msgid "Webkit" +msgstr "" + +#. module: report_webkit +#: help:ir.header_webkit,format:0 +msgid "Select Proper Paper size" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B5 1 176 x 250 mm, 6.93 x 9.84 inches" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A7 11 74 x 105 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A6 10 105 x 148 mm" +msgstr "" + +#. module: report_webkit +#: help:ir.actions.report.xml,report_webkit_data:0 +msgid "This template will be used if the main report file is not found" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Folio 27 210 x 330 mm" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,margin_top:0 +msgid "Top Margin (mm)" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:227 +#, python-format +msgid "Please set a header in company settings" +msgstr "" + +#. module: report_webkit +#: view:report.webkit.actions:0 +msgid "_Ok" +msgstr "م_وافق" + +#. module: report_webkit +#: help:report.webkit.actions,print_button:0 +msgid "" +"Check this to add a Print action for this Report in the sidebar of the " +"corresponding document types" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B3 18 353 x 500 mm" +msgstr "" + +#. module: report_webkit +#: field:ir.actions.report.xml,webkit_header:0 +msgid "Webkit Header" +msgstr "" + +#. module: report_webkit +#: help:ir.actions.report.xml,webkit_debug:0 +msgid "Enable the webkit engine debugger" +msgstr "" + +#. module: report_webkit +#: field:ir.header_img,img:0 +msgid "Image" +msgstr "صورة" + +#. module: report_webkit +#: field:res.company,header_webkit:0 +msgid "Available html" +msgstr "" + +#. module: report_webkit +#: help:report.webkit.actions,open_action:0 +msgid "" +"Check this to view the newly added internal print action after creating it " +"(technical view) " +msgstr "" + +#. module: report_webkit +#: view:res.company:0 +msgid "Images" +msgstr "صور" + +#. module: report_webkit +#: selection:ir.header_webkit,orientation:0 +msgid "Portrait" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,orientation:0 +msgid "Landscape" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B8 22 62 x 88 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A2 7 420 x 594 mm" +msgstr "" + +#. module: report_webkit +#: field:report.webkit.actions,print_button:0 +msgid "Add print button" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A9 13 37 x 52 mm" +msgstr "" + +#. module: report_webkit +#: view:ir.header_webkit:0 +msgid "Footer" +msgstr "" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_res_company +msgid "Companies" +msgstr "الشركات" + +#. module: report_webkit +#: field:ir.header_webkit,margin_bottom:0 +msgid "Bottom Margin (mm)" +msgstr "" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_report_webkit_actions +msgid "Webkit Actions" +msgstr "" + +#. module: report_webkit +#: field:report.webkit.actions,open_action:0 +msgid "Open added action" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,margin_right:0 +msgid "Right Margin (mm)" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,orientation:0 +msgid "Orientation" +msgstr "تنسيق" + +#. module: report_webkit +#: help:res.company,lib_path:0 +msgid "" +"Full path to the wkhtmltopdf executable file. Version 0.9.9 is required. " +"Install a static version of the library if you experience missing " +"header/footers on Linux." +msgstr "" + +#. module: report_webkit +#: help:ir.header_webkit,html:0 +msgid "Set Webkit Report Header" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,format:0 +msgid "Paper size" +msgstr "" + +#. module: report_webkit +#: view:ir.header_webkit:0 +msgid "Header" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid ":B10 16 31 x 44 mm" +msgstr "" + +#. module: report_webkit +#: view:ir.header_webkit:0 +msgid "CSS Style" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,css:0 +msgid "Header CSS" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B4 19 250 x 353 mm" +msgstr "" + +#. module: report_webkit +#: model:ir.actions.act_window,name:report_webkit.action_header_img +#: model:ir.ui.menu,name:report_webkit.menu_header_img +msgid "Webkit Logos" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A3 8 297 x 420 mm" +msgstr "" + +#. module: report_webkit +#: field:ir.actions.report.xml,report_webkit_data:0 +msgid "Webkit Template" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,footer_html:0 +msgid "webkit footer" +msgstr "" + +#. module: report_webkit +#: field:ir.actions.report.xml,webkit_debug:0 +msgid "Webkit debug" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Letter 2 8.5 x 11 inches, 215.9 x 279.4 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B0 14 1000 x 1414 mm" +msgstr "" + +#. module: report_webkit +#: sql_constraint:res.company:0 +msgid "The company name must be unique !" +msgstr "" + +#. module: report_webkit +#: field:ir.header_img,name:0 +#: field:ir.header_webkit,name:0 +msgid "Name" +msgstr "الاسم" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A5 9 148 x 210 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A8 12 52 x 74 mm" +msgstr "" + +#. module: report_webkit +#: model:ir.actions.act_window,name:report_webkit.wizard_ofdo_report_actions +#: view:report.webkit.actions:0 +msgid "Add Print Buttons" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Comm10E 25 105 x 241 mm, U.S. Common 10 Envelope" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:221 +#, python-format +msgid "Webkit Report template not found !" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,margin_left:0 +msgid "Left Margin (mm)" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:221 +#, python-format +msgid "Error!" +msgstr "خطأ!" + +#. module: report_webkit +#: help:ir.header_webkit,footer_html:0 +msgid "Set Webkit Report Footer." +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B9 23 33 x 62 mm" +msgstr "" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_ir_actions_report_xml +msgid "ir.actions.report.xml" +msgstr "ir.actions.report.xml" diff --git a/addons/report_webkit/i18n/ro.po b/addons/report_webkit/i18n/ro.po new file mode 100644 index 00000000000..4b2d71c786c --- /dev/null +++ b/addons/report_webkit/i18n/ro.po @@ -0,0 +1,555 @@ +# Romanian translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 20:42+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Romanian \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: report_webkit +#: view:ir.actions.report.xml:0 +msgid "Webkit Template (used if Report File is not found)" +msgstr "Sablon Webkit (folosit dacă nu găsiti Fisierul Raport)" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Tabloid 29 279.4 x 431.8 mm" +msgstr "Tabloid 29 279.4 x 431.8 mm" + +#. module: report_webkit +#: field:res.company,lib_path:0 +msgid "Webkit Executable Path" +msgstr "Traseu executabil Webkit" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Ledger 28 431.8 x 279.4 mm" +msgstr "Registru 28 431.8 x 279.4 mm" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:226 +#, python-format +msgid "No header defined for this Webkit report!" +msgstr "Nu există nici un antet definit pentru acest raport Webkit!" + +#. module: report_webkit +#: help:ir.header_img,type:0 +msgid "Image type(png,gif,jpeg)" +msgstr "Tip imagine (png,gif,jpeg)" + +#. module: report_webkit +#: help:ir.actions.report.xml,precise_mode:0 +msgid "" +"This mode allow more precise element " +" position as each object is printed on a separate HTML. " +" but memory and disk " +"usage is wider" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Executive 4 7.5 x 10 inches, 190.5 x 254 mm" +msgstr "Executiv 4 7.5 x 10 inci, 190.5 x 254 mm" + +#. module: report_webkit +#: field:ir.header_img,company_id:0 +#: field:ir.header_webkit,company_id:0 +msgid "Company" +msgstr "Companie" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:101 +#, python-format +msgid "path to Wkhtmltopdf is not absolute" +msgstr "traseul spre Wkhtmltopdf nu este complet" + +#. module: report_webkit +#: view:ir.header_webkit:0 +msgid "Company and Page Setup" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "DLE 26 110 x 220 mm" +msgstr "DLE 26 110 x 220 mm" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B7 21 88 x 125 mm" +msgstr "B7 21 88 x 125 mm" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:255 +#: code:addons/report_webkit/webkit_report.py:266 +#: code:addons/report_webkit/webkit_report.py:275 +#: code:addons/report_webkit/webkit_report.py:288 +#: code:addons/report_webkit/webkit_report.py:299 +#, python-format +msgid "Webkit render" +msgstr "Redare Webkit" + +#. module: report_webkit +#: view:res.company:0 +msgid "Headers" +msgstr "Antete" + +#. module: report_webkit +#: help:ir.header_img,name:0 +msgid "Name of Image" +msgstr "Numele imaginii" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:95 +#, python-format +msgid "" +"Wrong Wkhtmltopdf path set in company'+\n" +" 'Given path is not executable or path is " +"wrong" +msgstr "" +"Traseu Wkhtmltopdf gresit setat in compania'+\n" +" 'Traseul dat nu poate fi executat sau este " +"gresit" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:170 +#, python-format +msgid "Webkit raise an error" +msgstr "Webkit produce o eroare" + +#. module: report_webkit +#: model:ir.actions.act_window,name:report_webkit.action_header_webkit +#: model:ir.ui.menu,name:report_webkit.menu_header_webkit +msgid "Webkit Headers/Footers" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Legal 3 8.5 x 14 inches, 215.9 x 355.6 mm" +msgstr "Legal 3 8.5 x 14 inci, 215.9 x 355.6 mm" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_ir_header_webkit +msgid "ir.header_webkit" +msgstr "ir.header_webkit" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A4 0 210 x 297 mm, 8.26 x 11.69 inches" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:83 +#, python-format +msgid "" +"Please install executable on your system'+\n" +" ' (sudo apt-get install wkhtmltopdf) or " +"download it from here:'+\n" +" ' " +"http://code.google.com/p/wkhtmltopdf/downloads/list and set the'+\n" +" ' path to the executable on the Company " +"form.'+\n" +" 'Minimal version is 0.9.9" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B6 20 125 x 176 mm" +msgstr "" + +#. module: report_webkit +#: view:report.webkit.actions:0 +msgid "_Cancel" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B2 17 500 x 707 mm" +msgstr "" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_ir_header_img +msgid "ir.header_img" +msgstr "" + +#. module: report_webkit +#: field:ir.actions.report.xml,precise_mode:0 +msgid "Precise Mode" +msgstr "" + +#. module: report_webkit +#: constraint:res.company:0 +msgid "Error! You can not create recursive companies." +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A0 5 841 x 1189 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "C5E 24 163 x 229 mm" +msgstr "" + +#. module: report_webkit +#: field:ir.header_img,type:0 +msgid "Type" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/wizard/report_webkit_actions.py:137 +#, python-format +msgid "Client Actions Connections" +msgstr "" + +#. module: report_webkit +#: field:res.company,header_image:0 +msgid "Available Images" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,html:0 +msgid "webkit header" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B1 15 707 x 1000 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A1 6 594 x 841 mm" +msgstr "" + +#. module: report_webkit +#: help:ir.actions.report.xml,webkit_header:0 +msgid "The header linked to the report" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:82 +#, python-format +msgid "Wkhtmltopdf library path is not set in company" +msgstr "" + +#. module: report_webkit +#: view:ir.actions.report.xml:0 +#: view:res.company:0 +msgid "Webkit" +msgstr "" + +#. module: report_webkit +#: help:ir.header_webkit,format:0 +msgid "Select Proper Paper size" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B5 1 176 x 250 mm, 6.93 x 9.84 inches" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A7 11 74 x 105 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A6 10 105 x 148 mm" +msgstr "" + +#. module: report_webkit +#: help:ir.actions.report.xml,report_webkit_data:0 +msgid "This template will be used if the main report file is not found" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Folio 27 210 x 330 mm" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,margin_top:0 +msgid "Top Margin (mm)" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:227 +#, python-format +msgid "Please set a header in company settings" +msgstr "" + +#. module: report_webkit +#: view:report.webkit.actions:0 +msgid "_Ok" +msgstr "" + +#. module: report_webkit +#: help:report.webkit.actions,print_button:0 +msgid "" +"Check this to add a Print action for this Report in the sidebar of the " +"corresponding document types" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B3 18 353 x 500 mm" +msgstr "" + +#. module: report_webkit +#: field:ir.actions.report.xml,webkit_header:0 +msgid "Webkit Header" +msgstr "" + +#. module: report_webkit +#: help:ir.actions.report.xml,webkit_debug:0 +msgid "Enable the webkit engine debugger" +msgstr "" + +#. module: report_webkit +#: field:ir.header_img,img:0 +msgid "Image" +msgstr "" + +#. module: report_webkit +#: field:res.company,header_webkit:0 +msgid "Available html" +msgstr "" + +#. module: report_webkit +#: help:report.webkit.actions,open_action:0 +msgid "" +"Check this to view the newly added internal print action after creating it " +"(technical view) " +msgstr "" + +#. module: report_webkit +#: view:res.company:0 +msgid "Images" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,orientation:0 +msgid "Portrait" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,orientation:0 +msgid "Landscape" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B8 22 62 x 88 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A2 7 420 x 594 mm" +msgstr "" + +#. module: report_webkit +#: field:report.webkit.actions,print_button:0 +msgid "Add print button" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A9 13 37 x 52 mm" +msgstr "" + +#. module: report_webkit +#: view:ir.header_webkit:0 +msgid "Footer" +msgstr "" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_res_company +msgid "Companies" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,margin_bottom:0 +msgid "Bottom Margin (mm)" +msgstr "" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_report_webkit_actions +msgid "Webkit Actions" +msgstr "" + +#. module: report_webkit +#: field:report.webkit.actions,open_action:0 +msgid "Open added action" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,margin_right:0 +msgid "Right Margin (mm)" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,orientation:0 +msgid "Orientation" +msgstr "" + +#. module: report_webkit +#: help:res.company,lib_path:0 +msgid "" +"Full path to the wkhtmltopdf executable file. Version 0.9.9 is required. " +"Install a static version of the library if you experience missing " +"header/footers on Linux." +msgstr "" + +#. module: report_webkit +#: help:ir.header_webkit,html:0 +msgid "Set Webkit Report Header" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,format:0 +msgid "Paper size" +msgstr "" + +#. module: report_webkit +#: view:ir.header_webkit:0 +msgid "Header" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid ":B10 16 31 x 44 mm" +msgstr "" + +#. module: report_webkit +#: view:ir.header_webkit:0 +msgid "CSS Style" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,css:0 +msgid "Header CSS" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B4 19 250 x 353 mm" +msgstr "" + +#. module: report_webkit +#: model:ir.actions.act_window,name:report_webkit.action_header_img +#: model:ir.ui.menu,name:report_webkit.menu_header_img +msgid "Webkit Logos" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A3 8 297 x 420 mm" +msgstr "" + +#. module: report_webkit +#: field:ir.actions.report.xml,report_webkit_data:0 +msgid "Webkit Template" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,footer_html:0 +msgid "webkit footer" +msgstr "" + +#. module: report_webkit +#: field:ir.actions.report.xml,webkit_debug:0 +msgid "Webkit debug" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Letter 2 8.5 x 11 inches, 215.9 x 279.4 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B0 14 1000 x 1414 mm" +msgstr "" + +#. module: report_webkit +#: sql_constraint:res.company:0 +msgid "The company name must be unique !" +msgstr "" + +#. module: report_webkit +#: field:ir.header_img,name:0 +#: field:ir.header_webkit,name:0 +msgid "Name" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A5 9 148 x 210 mm" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "A8 12 52 x 74 mm" +msgstr "" + +#. module: report_webkit +#: model:ir.actions.act_window,name:report_webkit.wizard_ofdo_report_actions +#: view:report.webkit.actions:0 +msgid "Add Print Buttons" +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "Comm10E 25 105 x 241 mm, U.S. Common 10 Envelope" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:221 +#, python-format +msgid "Webkit Report template not found !" +msgstr "" + +#. module: report_webkit +#: field:ir.header_webkit,margin_left:0 +msgid "Left Margin (mm)" +msgstr "" + +#. module: report_webkit +#: code:addons/report_webkit/webkit_report.py:221 +#, python-format +msgid "Error!" +msgstr "" + +#. module: report_webkit +#: help:ir.header_webkit,footer_html:0 +msgid "Set Webkit Report Footer." +msgstr "" + +#. module: report_webkit +#: selection:ir.header_webkit,format:0 +msgid "B9 23 33 x 62 mm" +msgstr "" + +#. module: report_webkit +#: model:ir.model,name:report_webkit.model_ir_actions_report_xml +msgid "ir.actions.report.xml" +msgstr "" + +#~ msgid "WebKit Header" +#~ msgstr "Antet WebKit" + +#~ msgid "Header IMG" +#~ msgstr "Antet IMG" diff --git a/addons/report_webkit_sample/i18n/ar.po b/addons/report_webkit_sample/i18n/ar.po new file mode 100644 index 00000000000..dc2f6702b31 --- /dev/null +++ b/addons/report_webkit_sample/i18n/ar.po @@ -0,0 +1,123 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 05:51+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:37 +msgid "Refund" +msgstr "" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:22 +msgid "Fax" +msgstr "فاكس" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Disc.(%)" +msgstr "نسبة الخصم (%)" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:19 +msgid "Tel" +msgstr "" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Description" +msgstr "وصف" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:35 +msgid "Supplier Invoice" +msgstr "فاتورة المورد" + +#. module: report_webkit_sample +#: model:ir.actions.report.xml,name:report_webkit_sample.report_webkit_html +msgid "WebKit invoice" +msgstr "" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Price" +msgstr "السعر" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:44 +msgid "Invoice Date" +msgstr "تاريخ الفاتورة" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Taxes" +msgstr "الضرائب" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "QTY" +msgstr "الكمية" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:25 +msgid "E-mail" +msgstr "البريد الإلكتروني" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:64 +msgid "Amount" +msgstr "المقدار" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:64 +msgid "Base" +msgstr "الأساس" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:33 +msgid "Invoice" +msgstr "فاتورة" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:39 +msgid "Supplier Refund" +msgstr "" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:44 +msgid "Document" +msgstr "مستند" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:49 +msgid "Unit Price" +msgstr "سعر الوحدة" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:44 +msgid "Partner Ref." +msgstr "" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:28 +msgid "VAT" +msgstr "ضريبة القيمة المضافة" + +#. module: report_webkit_sample +#: report:addons/report_webkit_sample/report/report_webkit_html.mako:76 +msgid "Total" +msgstr "الإجمالي" diff --git a/addons/resource/i18n/ar.po b/addons/resource/i18n/ar.po new file mode 100644 index 00000000000..11f990fa33c --- /dev/null +++ b/addons/resource/i18n/ar.po @@ -0,0 +1,354 @@ +# Arabic translation for openobject-addons +# Copyright (c) 2012 Rosetta Contributors and Canonical Ltd 2012 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2012. +# +msgid "" +msgstr "" +"Project-Id-Version: openobject-addons\n" +"Report-Msgid-Bugs-To: FULL NAME \n" +"POT-Creation-Date: 2011-12-22 18:46+0000\n" +"PO-Revision-Date: 2012-01-12 05:51+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: Arabic \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" + +#. module: resource +#: help:resource.calendar.leaves,resource_id:0 +msgid "" +"If empty, this is a generic holiday for the company. If a resource is set, " +"the holiday/leave is only for this resource" +msgstr "" + +#. module: resource +#: selection:resource.resource,resource_type:0 +msgid "Material" +msgstr "مواد" + +#. module: resource +#: field:resource.resource,resource_type:0 +msgid "Resource Type" +msgstr "نوع المصدر" + +#. module: resource +#: model:ir.model,name:resource.model_resource_calendar_leaves +#: view:resource.calendar.leaves:0 +msgid "Leave Detail" +msgstr "" + +#. module: resource +#: model:ir.actions.act_window,name:resource.resource_calendar_resources_leaves +msgid "Resources Leaves" +msgstr "" + +#. module: resource +#: model:ir.actions.act_window,name:resource.action_resource_calendar_form +#: view:resource.calendar:0 +#: field:resource.calendar,attendance_ids:0 +#: view:resource.calendar.attendance:0 +#: field:resource.resource,calendar_id:0 +msgid "Working Time" +msgstr "ساعات العمل" + +#. module: resource +#: selection:resource.calendar.attendance,dayofweek:0 +msgid "Thursday" +msgstr "الخميس" + +#. module: resource +#: view:resource.calendar.leaves:0 +#: view:resource.resource:0 +msgid "Group By..." +msgstr "تجميع حسب..." + +#. module: resource +#: selection:resource.calendar.attendance,dayofweek:0 +msgid "Sunday" +msgstr "الأحد" + +#. module: resource +#: view:resource.resource:0 +msgid "Search Resource" +msgstr "" + +#. module: resource +#: view:resource.resource:0 +msgid "Type" +msgstr "نوع" + +#. module: resource +#: model:ir.actions.act_window,name:resource.action_resource_resource_tree +#: view:resource.resource:0 +msgid "Resources" +msgstr "الموارد" + +#. module: resource +#: code:addons/resource/resource.py:392 +#, python-format +msgid "Make sure the Working time has been configured with proper week days!" +msgstr "" + +#. module: resource +#: field:resource.calendar,manager:0 +msgid "Workgroup manager" +msgstr "" + +#. module: resource +#: help:resource.calendar.attendance,hour_from:0 +msgid "Working time will start from" +msgstr "" + +#. module: resource +#: constraint:resource.calendar.leaves:0 +msgid "Error! leave start-date must be lower then leave end-date." +msgstr "" + +#. module: resource +#: model:ir.model,name:resource.model_resource_calendar +msgid "Resource Calendar" +msgstr "" + +#. module: resource +#: field:resource.calendar,company_id:0 +#: view:resource.calendar.leaves:0 +#: field:resource.calendar.leaves,company_id:0 +#: view:resource.resource:0 +#: field:resource.resource,company_id:0 +msgid "Company" +msgstr "شركة" + +#. module: resource +#: selection:resource.calendar.attendance,dayofweek:0 +msgid "Friday" +msgstr "الجمعة" + +#. module: resource +#: field:resource.calendar.attendance,dayofweek:0 +msgid "Day of week" +msgstr "يوم من أسبوع" + +#. module: resource +#: help:resource.calendar.attendance,hour_to:0 +msgid "Working time will end at" +msgstr "" + +#. module: resource +#: field:resource.calendar.attendance,date_from:0 +msgid "Starting date" +msgstr "" + +#. module: resource +#: view:resource.calendar:0 +msgid "Search Working Time" +msgstr "" + +#. module: resource +#: view:resource.calendar.leaves:0 +msgid "Reason" +msgstr "السبب" + +#. module: resource +#: view:resource.resource:0 +#: field:resource.resource,user_id:0 +msgid "User" +msgstr "مستخدم" + +#. module: resource +#: view:resource.calendar.leaves:0 +msgid "Date" +msgstr "تاريخ" + +#. module: resource +#: view:resource.calendar.leaves:0 +msgid "Search Working Period Leaves" +msgstr "" + +#. module: resource +#: field:resource.resource,time_efficiency:0 +msgid "Efficiency factor" +msgstr "" + +#. module: resource +#: field:resource.calendar.leaves,date_to:0 +msgid "End Date" +msgstr "تاريخ الإنتهاء" + +#. module: resource +#: model:ir.actions.act_window,name:resource.resource_calendar_closing_days +msgid "Closing Days" +msgstr "" + +#. module: resource +#: model:ir.ui.menu,name:resource.menu_resource_config +#: view:resource.calendar.leaves:0 +#: field:resource.calendar.leaves,resource_id:0 +#: view:resource.resource:0 +msgid "Resource" +msgstr "مورد" + +#. module: resource +#: view:resource.calendar:0 +#: field:resource.calendar,name:0 +#: field:resource.calendar.attendance,name:0 +#: field:resource.calendar.leaves,name:0 +#: field:resource.resource,name:0 +msgid "Name" +msgstr "الاسم" + +#. module: resource +#: selection:resource.calendar.attendance,dayofweek:0 +msgid "Wednesday" +msgstr "الأربعاء" + +#. module: resource +#: view:resource.calendar.leaves:0 +#: view:resource.resource:0 +msgid "Working Period" +msgstr "" + +#. module: resource +#: model:ir.model,name:resource.model_resource_resource +msgid "Resource Detail" +msgstr "" + +#. module: resource +#: field:resource.resource,active:0 +msgid "Active" +msgstr "نشط" + +#. module: resource +#: help:resource.resource,active:0 +msgid "" +"If the active field is set to False, it will allow you to hide the resource " +"record without removing it." +msgstr "" + +#. module: resource +#: field:resource.calendar.attendance,calendar_id:0 +msgid "Resource's Calendar" +msgstr "" + +#. module: resource +#: field:resource.calendar.attendance,hour_from:0 +msgid "Work from" +msgstr "" + +#. module: resource +#: model:ir.actions.act_window,help:resource.action_resource_calendar_form +msgid "" +"Define working hours and time table that could be scheduled to your project " +"members" +msgstr "" + +#. module: resource +#: help:resource.resource,user_id:0 +msgid "Related user name for the resource to manage its access." +msgstr "" + +#. module: resource +#: help:resource.resource,calendar_id:0 +msgid "Define the schedule of resource" +msgstr "" + +#. module: resource +#: view:resource.calendar.leaves:0 +msgid "Starting Date of Leave" +msgstr "" + +#. module: resource +#: field:resource.resource,code:0 +msgid "Code" +msgstr "الرمز" + +#. module: resource +#: selection:resource.calendar.attendance,dayofweek:0 +msgid "Monday" +msgstr "الأثنين" + +#. module: resource +#: field:resource.calendar.attendance,hour_to:0 +msgid "Work to" +msgstr "" + +#. module: resource +#: help:resource.resource,time_efficiency:0 +msgid "" +"This field depict the efficiency of the resource to complete tasks. e.g " +"resource put alone on a phase of 5 days with 5 tasks assigned to him, will " +"show a load of 100% for this phase by default, but if we put a efficency of " +"200%, then his load will only be 50%." +msgstr "" + +#. module: resource +#: selection:resource.calendar.attendance,dayofweek:0 +msgid "Tuesday" +msgstr "الثلاثاء" + +#. module: resource +#: field:resource.calendar.leaves,calendar_id:0 +msgid "Working time" +msgstr "وقت العمل" + +#. module: resource +#: model:ir.actions.act_window,name:resource.action_resource_calendar_leave_tree +#: model:ir.ui.menu,name:resource.menu_view_resource_calendar_leaves_search +msgid "Resource Leaves" +msgstr "" + +#. module: resource +#: model:ir.actions.act_window,help:resource.action_resource_resource_tree +msgid "" +"Resources allow you to create and manage resources that should be involved " +"in a specific project phase. You can also set their efficiency level and " +"workload based on their weekly working hours." +msgstr "" + +#. module: resource +#: view:resource.resource:0 +msgid "Inactive" +msgstr "غير نشط" + +#. module: resource +#: code:addons/resource/faces/resource.py:340 +#, python-format +msgid "(vacation)" +msgstr "" + +#. module: resource +#: code:addons/resource/resource.py:392 +#, python-format +msgid "Configuration Error!" +msgstr "" + +#. module: resource +#: selection:resource.resource,resource_type:0 +msgid "Human" +msgstr "إنسان" + +#. module: resource +#: model:ir.model,name:resource.model_resource_calendar_attendance +msgid "Work Detail" +msgstr "" + +#. module: resource +#: field:resource.calendar.leaves,date_from:0 +msgid "Start Date" +msgstr "تاريخ البدء" + +#. module: resource +#: code:addons/resource/resource.py:310 +#, python-format +msgid " (copy)" +msgstr " (نسخ)" + +#. module: resource +#: selection:resource.calendar.attendance,dayofweek:0 +msgid "Saturday" +msgstr "السبت" + +#~ msgid "General Information" +#~ msgstr "معلومات عامة" diff --git a/addons/sale/i18n/zh_CN.po b/addons/sale/i18n/zh_CN.po index 640863cce6d..bc9f3627708 100644 --- a/addons/sale/i18n/zh_CN.po +++ b/addons/sale/i18n/zh_CN.po @@ -13,8 +13,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-12 05:40+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 04:40+0000\n" +"X-Generator: Launchpad (build 14664)\n" #. module: sale #: field:sale.config.picking_policy,timesheet:0 diff --git a/addons/web/po/ar.po b/addons/web/po/ar.po index dba4f6ffb8b..665f59f2152 100644 --- a/addons/web/po/ar.po +++ b/addons/web/po/ar.po @@ -8,14 +8,14 @@ msgstr "" "Project-Id-Version: openerp-web\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2011-12-20 18:48+0100\n" -"PO-Revision-Date: 2012-01-08 20:20+0000\n" +"PO-Revision-Date: 2012-01-12 21:08+0000\n" "Last-Translator: kifcaliph \n" "Language-Team: Arabic \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-09 05:08+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 05:01+0000\n" +"X-Generator: Launchpad (build 14664)\n" #: addons/web/static/src/js/chrome.js:162 #: addons/web/static/src/js/chrome.js:175 @@ -727,7 +727,7 @@ msgstr "خيار:" #: addons/web/static/src/xml/base.xml:0 msgid "[" -msgstr "]" +msgstr "[" #: addons/web/static/src/xml/base.xml:0 msgid "]" diff --git a/addons/web/po/de.po b/addons/web/po/de.po index 18f69022ef8..bfbb97fa7dc 100644 --- a/addons/web/po/de.po +++ b/addons/web/po/de.po @@ -8,14 +8,14 @@ msgstr "" "Project-Id-Version: openerp-web\n" "Report-Msgid-Bugs-To: FULL NAME \n" "POT-Creation-Date: 2011-12-20 18:48+0100\n" -"PO-Revision-Date: 2011-12-26 13:55+0000\n" +"PO-Revision-Date: 2012-01-12 17:29+0000\n" "Last-Translator: Ferdinand @ Camptocamp \n" "Language-Team: German \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-04 05:17+0000\n" -"X-Generator: Launchpad (build 14616)\n" +"X-Launchpad-Export-Date: 2012-01-13 05:01+0000\n" +"X-Generator: Launchpad (build 14664)\n" #: addons/web/static/src/js/chrome.js:162 #: addons/web/static/src/js/chrome.js:175 @@ -666,7 +666,7 @@ msgstr "/" #: addons/web/static/src/xml/base.xml:0 msgid "Duplicate" -msgstr "Kopieren" +msgstr "Duplizieren" #: addons/web/static/src/xml/base.xml:0 msgid "Unhandled widget" diff --git a/addons/web/po/zh_CN.po b/addons/web/po/zh_CN.po index bbcea4276a4..087c66bd3b3 100644 --- a/addons/web/po/zh_CN.po +++ b/addons/web/po/zh_CN.po @@ -14,8 +14,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 05:01+0000\n" +"X-Generator: Launchpad (build 14664)\n" #: addons/web/static/src/js/chrome.js:162 #: addons/web/static/src/js/chrome.js:175 diff --git a/addons/web_dashboard/po/zh_CN.po b/addons/web_dashboard/po/zh_CN.po index bfbe586c8b2..c8701dd375e 100644 --- a/addons/web_dashboard/po/zh_CN.po +++ b/addons/web_dashboard/po/zh_CN.po @@ -14,8 +14,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 05:01+0000\n" +"X-Generator: Launchpad (build 14664)\n" #: addons/web_dashboard/static/src/js/dashboard.js:63 msgid "Edit Layout" diff --git a/addons/web_default_home/po/zh_CN.po b/addons/web_default_home/po/zh_CN.po index 6e8ae96c536..d1097082290 100644 --- a/addons/web_default_home/po/zh_CN.po +++ b/addons/web_default_home/po/zh_CN.po @@ -14,8 +14,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 05:01+0000\n" +"X-Generator: Launchpad (build 14664)\n" #: addons/web_default_home/static/src/xml/web_default_home.xml:0 msgid "Welcome to your new OpenERP instance." diff --git a/addons/web_diagram/po/zh_CN.po b/addons/web_diagram/po/zh_CN.po index 824ce5885be..63d570efe65 100644 --- a/addons/web_diagram/po/zh_CN.po +++ b/addons/web_diagram/po/zh_CN.po @@ -14,8 +14,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 05:01+0000\n" +"X-Generator: Launchpad (build 14664)\n" #: addons/web_diagram/static/src/js/diagram.js:11 msgid "Diagram" diff --git a/addons/web_mobile/po/zh_CN.po b/addons/web_mobile/po/zh_CN.po index ecbd519e825..fb44ad87bbd 100644 --- a/addons/web_mobile/po/zh_CN.po +++ b/addons/web_mobile/po/zh_CN.po @@ -14,8 +14,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-01-12 06:06+0000\n" -"X-Generator: Launchpad (build 14640)\n" +"X-Launchpad-Export-Date: 2012-01-13 05:01+0000\n" +"X-Generator: Launchpad (build 14664)\n" #: addons/web_mobile/static/src/xml/web_mobile.xml:0 msgid "OpenERP" From c89d45b6583023d28735d4e17762165d10edf493 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Fri, 13 Jan 2012 10:06:11 +0100 Subject: [PATCH 148/166] [IMP] display a warning and disable excel export option when XLWT is not installed lp bug: https://launchpad.net/bugs/915347 fixed bzr revid: xmo@openerp.com-20120113090611-lmiu5y7y7b9td8hg --- addons/web/controllers/main.py | 16 +++++++++++----- addons/web/static/src/js/data_export.js | 10 +++++++++- 2 files changed, 20 insertions(+), 6 deletions(-) diff --git a/addons/web/controllers/main.py b/addons/web/controllers/main.py index fd8d85f9d69..7081ce3ce32 100644 --- a/addons/web/controllers/main.py +++ b/addons/web/controllers/main.py @@ -18,6 +18,10 @@ from cStringIO import StringIO import babel.messages.pofile import werkzeug.utils +try: + import xlwt +except ImportError: + xlwt = None import web.common openerpweb = web.common.http @@ -1308,7 +1312,7 @@ class Export(View): for path, controller in openerpweb.controllers_path.iteritems() if path.startswith(self._cp_path) if hasattr(controller, 'fmt') - ], key=operator.itemgetter(1)) + ], key=operator.itemgetter("label")) def fields_get(self, req, model): Model = req.session.model(model) @@ -1484,7 +1488,7 @@ class Export(View): class CSVExport(Export): _cp_path = '/web/export/csv' - fmt = ('csv', 'CSV') + fmt = {'tag': 'csv', 'label': 'CSV'} @property def content_type(self): @@ -1519,7 +1523,11 @@ class CSVExport(Export): class ExcelExport(Export): _cp_path = '/web/export/xls' - fmt = ('xls', 'Excel') + fmt = { + 'tag': 'xls', + 'label': 'Excel', + 'error': None if xlwt else "XLWT required" + } @property def content_type(self): @@ -1529,8 +1537,6 @@ class ExcelExport(Export): return base + '.xls' def from_data(self, fields, rows): - import xlwt - workbook = xlwt.Workbook() worksheet = workbook.add_sheet('Sheet 1') diff --git a/addons/web/static/src/js/data_export.js b/addons/web/static/src/js/data_export.js index 1382bf841de..1268ac67fa5 100644 --- a/addons/web/static/src/js/data_export.js +++ b/addons/web/static/src/js/data_export.js @@ -63,7 +63,15 @@ openerp.web.DataExport = openerp.web.Dialog.extend({ do_setup_export_formats: function (formats) { var $fmts = this.$element.find('#export_format'); _(formats).each(function (format) { - $fmts.append(new Option(format[1], format[0])); + var opt = new Option(format.label, format.tag); + if (format.error) { + opt.disabled = true; + opt.replaceChild( + document.createTextNode( + _.str.sprintf("%s — %s", format.label, format.error)), + opt.childNodes[0]) + } + $fmts.append(opt); }); }, show_exports_list: function() { From a23e7f362c9a3da419e6c570440d1079d21f0517 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Fri, 13 Jan 2012 10:22:46 +0100 Subject: [PATCH 149/166] [ADD] test edge cases for formatting float_time using Lorenzo Battistini's test cases bzr revid: xmo@openerp.com-20120113092246-0dmh2khwj2748apo --- addons/web/static/test/formats.js | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/addons/web/static/test/formats.js b/addons/web/static/test/formats.js index 69557e98d5e..b841d12a6b2 100644 --- a/addons/web/static/test/formats.js +++ b/addons/web/static/test/formats.js @@ -61,6 +61,17 @@ $(document).ready(function () { var str = openerp.web.format_value(date, {type:"time"}); equal(str, date.toString("HH:mm:ss")); }); + test("format_float_time", function () { + strictEqual( + openerp.web.format_value(1.0, {type:'float', widget:'float_time'}), + '01:00'); + strictEqual( + openerp.web.format_value(0.9853, {type:'float', widget:'float_time'}), + '00:59'); + strictEqual( + openerp.web.format_value(0.0085, {type:'float', widget:'float_time'}), + '00:01'); + }); test("format_float", function () { var fl = 12.1234; var str = openerp.web.format_value(fl, {type:"float"}); From eec04907fd87af78379a3baab50487aa54846dd8 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Fri, 13 Jan 2012 10:56:34 +0100 Subject: [PATCH 150/166] [FIX] cancel button was removed from editable list rows, so stop adding front padding, it breaks o2m tables bzr revid: xmo@openerp.com-20120113095634-csnvigeweu76gn2w --- addons/web/static/src/xml/base.xml | 10 +++------- 1 file changed, 3 insertions(+), 7 deletions(-) diff --git a/addons/web/static/src/xml/base.xml b/addons/web/static/src/xml/base.xml index 9580b1877a2..f21749277a6 100644 --- a/addons/web/static/src/xml/base.xml +++ b/addons/web/static/src/xml/base.xml @@ -1416,14 +1416,10 @@ - - - - - From 8c06e573a97523a7fa4fe1d4189e063b8585fad3 Mon Sep 17 00:00:00 2001 From: niv-openerp Date: Fri, 13 Jan 2012 12:04:59 +0100 Subject: [PATCH 151/166] [fix] problem with DateTimeWidget bzr revid: nicolas.vanhoren@openerp.com-20120113110459-0p2xl3t90j4nasxe --- addons/web/static/src/js/view_form.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/addons/web/static/src/js/view_form.js b/addons/web/static/src/js/view_form.js index fe604a8c0b0..a27ecc316fd 100644 --- a/addons/web/static/src/js/view_form.js +++ b/addons/web/static/src/js/view_form.js @@ -1439,8 +1439,8 @@ openerp.web.DateTimeWidget = openerp.web.Widget.extend({ } } }, - focus: function($element) { - this._super($element || this.$input); + focus: function() { + this.$input.focus(); }, parse_client: function(v) { return openerp.web.parse_value(v, {"widget": this.type_of_date}); From 615e65094ae646a6a01657908a34e83c13cea8e1 Mon Sep 17 00:00:00 2001 From: Raphael Collet Date: Fri, 13 Jan 2012 14:52:06 +0100 Subject: [PATCH 152/166] [IMP] base: hide field 'street2' from company form view bzr revid: rco@openerp.com-20120113135206-m3y3pwa3i2dqz23c --- openerp/addons/base/base_update.xml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/openerp/addons/base/base_update.xml b/openerp/addons/base/base_update.xml index 17829994599..d0d655fd12e 100644 --- a/openerp/addons/base/base_update.xml +++ b/openerp/addons/base/base_update.xml @@ -231,8 +231,8 @@ - - + + From 3e59fe9556523f9e6df9f0d6083f28e3c93a8c0c Mon Sep 17 00:00:00 2001 From: Raphael Collet Date: Fri, 13 Jan 2012 15:06:47 +0100 Subject: [PATCH 153/166] [IMP] base: remove menuitem 'Import Module', as the feature is deprecated bzr revid: rco@openerp.com-20120113140647-31tmnpqye7sdeh6u --- openerp/addons/base/module/wizard/base_module_import_view.xml | 2 ++ 1 file changed, 2 insertions(+) diff --git a/openerp/addons/base/module/wizard/base_module_import_view.xml b/openerp/addons/base/module/wizard/base_module_import_view.xml index b17b8ec565f..e9b795a9364 100644 --- a/openerp/addons/base/module/wizard/base_module_import_view.xml +++ b/openerp/addons/base/module/wizard/base_module_import_view.xml @@ -55,6 +55,7 @@ After importing a new module you can install it by clicking on the button "Insta new + From 0a04e3640dc43c0348f5d42a45460c011dffd8f6 Mon Sep 17 00:00:00 2001 From: Raphael Collet Date: Fri, 13 Jan 2012 15:17:03 +0100 Subject: [PATCH 154/166] [IMP] fetchmail: fix form view of fetchmail.server bzr revid: rco@openerp.com-20120113141703-jgoydtvwuwgz50ol --- addons/fetchmail/fetchmail_view.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/fetchmail/fetchmail_view.xml b/addons/fetchmail/fetchmail_view.xml index 22b665dcffd..a9fb94553ed 100644 --- a/addons/fetchmail/fetchmail_view.xml +++ b/addons/fetchmail/fetchmail_view.xml @@ -34,7 +34,7 @@ - + From db7470757392baf9da571fd86a0e17f354328fcd Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Fri, 13 Jan 2012 15:58:32 +0100 Subject: [PATCH 155/166] [IMP] make chs's http session cleanup spam less spammy bzr revid: xmo@openerp.com-20120113145832-q6ogcwqnghfylys8 --- addons/web/common/http.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/addons/web/common/http.py b/addons/web/common/http.py index 6e4cbaacaaa..681a38384a2 100644 --- a/addons/web/common/http.py +++ b/addons/web/common/http.py @@ -334,7 +334,7 @@ def session_context(request, storage_path, session_cookie='sessionid'): and not value.jsonp_requests and value._creation_time + (60*5) < time.time() # FIXME do not use a fixed value ): - _logger.info('remove session %s', key) + _logger.debug('remove session %s', key) del request.session[key] with session_lock: From a76f6d2a4efd17906c6ef1b80e5e5e9830c9307a Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Fri, 13 Jan 2012 16:01:10 +0100 Subject: [PATCH 156/166] [FIX] concatenated JS files blowing up when not terminated with a semicolon If the final semicolon of an openerp module is forgotten and the next file starts with an expression (such as a parens, because it's a third-party module using the module pattern, see Backbone.js or jQuery for examples), the JS parser will not perform semicolon insertion and will instead try to execute the module's wrapper/initializer function by passing it whatever follows it (generally an other function). This usually results in an error and stuff blowing out everywhere for no obvious reason. Concatenation of JS files now adds an explicit semicolon between files (ideally it should only add one if it's missing, but that would require backtracking in the file while skipping comments &etc, can't be arsed and double-semicolons don't hurt much) to avoid this issue. bzr revid: xmo@openerp.com-20120113150110-47j90oishtjrib7s --- addons/web/controllers/main.py | 11 +++++++---- 1 file changed, 7 insertions(+), 4 deletions(-) diff --git a/addons/web/controllers/main.py b/addons/web/controllers/main.py index 7081ce3ce32..ed515f5b4f1 100644 --- a/addons/web/controllers/main.py +++ b/addons/web/controllers/main.py @@ -56,12 +56,15 @@ def concat_xml(file_list): return ElementTree.tostring(root, 'utf-8'), files_timestamp -def concat_files(file_list, reader=None): +def concat_files(file_list, reader=None, intersperse=""): """ Concatenate file content return (concat,timestamp) concat: concatenation of file content, read by `reader` timestamp: max(os.path.getmtime of file_list) """ + if not file_list: + return '', None + if reader is None: def reader(f): with open(f) as fp: @@ -75,7 +78,7 @@ def concat_files(file_list, reader=None): files_timestamp = ftime files_content.append(reader(fname)) - files_concat = "".join(files_content) + files_concat = intersperse.join(files_content) return files_concat,files_timestamp html_template = """ @@ -180,7 +183,7 @@ class WebClient(openerpweb.Controller): @openerpweb.httprequest def js(self, req, mods=None): files = [f[0] for f in self.manifest_glob(req, mods, 'js')] - content,timestamp = concat_files(files) + content, timestamp = concat_files(files, intersperse=';') # TODO use timestamp to set Last mofified date and E-tag return req.make_response(content, [('Content-Type', 'application/javascript')]) @@ -431,7 +434,7 @@ class Session(openerpweb.Controller): @openerpweb.jsonrequest def modules(self, req): # Compute available candidates module - loadable = openerpweb.addons_manifest.iterkeys() + loadable = openerpweb.addons_manifest loaded = req.config.server_wide_modules candidates = [mod for mod in loadable if mod not in loaded] From c54d3337e62aba92737a431648b9a352598c066c Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Fri, 13 Jan 2012 16:06:41 +0100 Subject: [PATCH 157/166] [FIX] avoid having the XML concatenator blow up when passed an empty list of files ~/projects/tiny/web/current turns out ElementTree has a hard time XML-serializing ``None`` (who'd have guessed...), which is what it gets told to do when concat_xml is called with an empty list of files. Return an empty string and no timestamp (should probably be one there at some point, but...) and fix the QWeb loader to not do anything when it gets an empty template file. bzr revid: xmo@openerp.com-20120113150641-6i3ot1jg7r3kpw3d --- addons/web/controllers/main.py | 3 +++ addons/web/static/src/js/core.js | 1 + 2 files changed, 4 insertions(+) diff --git a/addons/web/controllers/main.py b/addons/web/controllers/main.py index ed515f5b4f1..191f184da5b 100644 --- a/addons/web/controllers/main.py +++ b/addons/web/controllers/main.py @@ -37,6 +37,9 @@ def concat_xml(file_list): concat: concatenation of file content timestamp: max(os.path.getmtime of file_list) """ + if not file_list: + return '', None + root = None files_timestamp = 0 for fname in file_list: diff --git a/addons/web/static/src/js/core.js b/addons/web/static/src/js/core.js index 0584c49f6b2..81f13713543 100644 --- a/addons/web/static/src/js/core.js +++ b/addons/web/static/src/js/core.js @@ -738,6 +738,7 @@ openerp.web.Connection = openerp.web.CallbackEnabled.extend( /** @lends openerp. _.each(files, function(file) { self.qweb_mutex.exec(function() { return self.rpc('/web/proxy/load', {path: file}).pipe(function(xml) { + if (!xml) { return; } openerp.web.qweb.add_template(_.str.trim(xml)); }); }); From 1eff27c138e45cb868e1a665ad9f1eea01591dd5 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Fri, 13 Jan 2012 16:08:29 +0100 Subject: [PATCH 158/166] [FIX] remember to load not-yet-loaded modules after they've been installed, improve load_modules to be incremental (load only modules which are not installed) bzr revid: xmo@openerp.com-20120113150829-s7ejfivy5kyqvy3f --- addons/web/static/src/js/chrome.js | 7 +++++-- addons/web/static/src/js/core.js | 18 +++++++++++------- 2 files changed, 16 insertions(+), 9 deletions(-) diff --git a/addons/web/static/src/js/chrome.js b/addons/web/static/src/js/chrome.js index 7af729205be..32a70d587a7 100644 --- a/addons/web/static/src/js/chrome.js +++ b/addons/web/static/src/js/chrome.js @@ -1124,8 +1124,11 @@ openerp.web.WebClient = openerp.web.Widget.extend(/** @lends openerp.web.WebClie this.$element.children().remove(); }, do_reload: function() { - return this.session.session_reload().pipe( - $.proxy(this.menu, 'do_reload')); + var self = this; + return this.session.session_reload().pipe(function () { + openerp.connection.load_modules(true).pipe( + self.menu.proxy('do_reload')); }); + }, do_notify: function() { var n = this.notification; diff --git a/addons/web/static/src/js/core.js b/addons/web/static/src/js/core.js index 81f13713543..b36e576ae47 100644 --- a/addons/web/static/src/js/core.js +++ b/addons/web/static/src/js/core.js @@ -676,27 +676,31 @@ openerp.web.Connection = openerp.web.CallbackEnabled.extend( /** @lends openerp. }, /** * Load additional web addons of that instance and init them + * + * @param {Boolean} [no_session_valid_signal=false] prevents load_module from triggering ``on_session_valid``. */ - load_modules: function() { + load_modules: function(no_session_valid_signal) { var self = this; return this.rpc('/web/session/modules', {}).pipe(function(result) { - self.module_list = result; var lang = self.user_context.lang; var params = { mods: ["web"].concat(result), lang: lang}; - var modules = self.module_list.join(','); + var to_load = _.difference(result, self.module_list).join(','); + self.module_list = result; return $.when( - self.rpc('/web/webclient/csslist', {mods: modules}, self.do_load_css), - self.rpc('/web/webclient/qweblist', {mods: modules}).pipe(self.do_load_qweb), + self.rpc('/web/webclient/csslist', {mods: to_load}, self.do_load_css), + self.rpc('/web/webclient/qweblist', {mods: to_load}).pipe(self.do_load_qweb), self.rpc('/web/webclient/translations', params).pipe(function(trans) { openerp.web._t.database.set_bundle(trans); var file_list = ["/web/static/lib/datejs/globalization/" + lang.replace("_", "-") + ".js"]; - return self.rpc('/web/webclient/jslist', {mods: modules}).pipe(function(files) { + return self.rpc('/web/webclient/jslist', {mods: to_load}).pipe(function(files) { return self.do_load_js(file_list.concat(files)); }); }) ).then(function() { self.on_modules_loaded(); - self.on_session_valid(); + if (!no_session_valid_signal) { + self.on_session_valid(); + } }); }); }, From aa84c454ad4147136d004f9aae552536fbc5c064 Mon Sep 17 00:00:00 2001 From: Raphael Collet Date: Fri, 13 Jan 2012 16:15:48 +0100 Subject: [PATCH 159/166] [IMP] stock.location: always return full name in name_get bzr revid: rco@openerp.com-20120113151548-hyj48p274sbgj4vu --- addons/stock/stock.py | 31 +++++++++---------------------- 1 file changed, 9 insertions(+), 22 deletions(-) diff --git a/addons/stock/stock.py b/addons/stock/stock.py index 6acde78f419..e9928eb0aa7 100644 --- a/addons/stock/stock.py +++ b/addons/stock/stock.py @@ -74,35 +74,22 @@ class stock_location(osv.osv): _order = 'parent_left' def name_get(self, cr, uid, ids, context=None): - res = [] - if context is None: - context = {} - if not len(ids): - return [] - reads = self.read(cr, uid, ids, ['name','location_id'], context=context) - for record in reads: - name = record['name'] - if context.get('full',False): - if record['location_id']: - name = record['location_id'][1] + ' / ' + name - res.append((record['id'], name)) - else: - res.append((record['id'], name)) - return res + # always return the full hierarchical name + res = self._complete_name(cr, uid, ids, 'complete_name', None, context=context) + return res.items() def _complete_name(self, cr, uid, ids, name, args, context=None): """ Forms complete name of location from parent location to child location. @return: Dictionary of values """ - def _get_one_full_name(location, level=4): - if location.location_id: - parent_path = _get_one_full_name(location.location_id, level-1) + "/" - else: - parent_path = '' - return parent_path + location.name res = {} for m in self.browse(cr, uid, ids, context=context): - res[m.id] = _get_one_full_name(m) + names = [m.name] + parent = m.location_id + while parent: + names.append(parent.name) + parent = parent.location_id + res[m.id] = ' / '.join(reversed(names)) return res From 6068fc44fdcc38c0692b82e46e5fbbb21d5ab50c Mon Sep 17 00:00:00 2001 From: Raphael Collet Date: Fri, 13 Jan 2012 16:16:47 +0100 Subject: [PATCH 160/166] [IMP] stock: remove 'full' from context for locations, no longer useful bzr revid: rco@openerp.com-20120113151647-mo7rprxwhqy589ki --- addons/stock/report/report_stock_move_view.xml | 2 +- addons/stock/stock_view.xml | 13 ++++++------- 2 files changed, 7 insertions(+), 8 deletions(-) diff --git a/addons/stock/report/report_stock_move_view.xml b/addons/stock/report/report_stock_move_view.xml index 2949f53b117..4f320ab58a9 100644 --- a/addons/stock/report/report_stock_move_view.xml +++ b/addons/stock/report/report_stock_move_view.xml @@ -141,7 +141,7 @@ form tree,graph - {'full':'1','contact_display': 'partner','search_default_done':1,'search_default_year':1, 'search_default_month':1, 'search_default_group_type':1, 'group_by': [], 'group_by_no_leaf':1,} + {'contact_display': 'partner','search_default_done':1,'search_default_year':1, 'search_default_month':1, 'search_default_group_type':1, 'group_by': [], 'group_by_no_leaf':1,} Moves Analysis allows you to easily check and analyse your company stock moves. Use this report when you want to analyse the different routes taken by your products and inventory management performance. diff --git a/addons/stock/stock_view.xml b/addons/stock/stock_view.xml index f4409cd90b4..e0b4580e0ee 100644 --- a/addons/stock/stock_view.xml +++ b/addons/stock/stock_view.xml @@ -186,7 +186,6 @@ stock.inventory form - {'full':'1'} Periodical Inventories are used to count the number of products available per location. You can use it once a year when you do the general inventory or whenever you need it, to correct the current stock level of a product. @@ -407,7 +406,7 @@ form - {'full':'1',"search_default_available":1} + {"search_default_available":1} This is the list of all the production lots (serial numbers) you recorded. When you select a lot, you can get the upstream or downstream traceability of the products contained in lot. By default, the list is filtred on the serial numbers that are available in your warehouse but you can uncheck the 'Available' button to get all the lots you produced, received or delivered to customers. form - {'full':1, 'search_default_in_location':1} + {'search_default_in_location':1} Define your locations to reflect your warehouse structure and organization. OpenERP is able to manage physical locations (warehouses, shelves, bin, etc), partner locations (customers, suppliers) and virtual locations which are the counterpart of the stock operations like the manufacturing orders consumptions, inventories, etc. Every stock operation in OpenERP moves the products from one location to another one. For instance, if you receive products from a supplier, OpenERP will move products from the Supplier location to the Stock location. Each report can be performed on physical, partner or virtual locations. @@ -1420,8 +1419,8 @@ icon="gtk-convert" context="{'scrap': True}" states="draft,waiting,confirmed,assigned" colspan="1"/> - - + +
      @@ -1608,8 +1607,8 @@ icon="gtk-convert" context="{'scrap': True}" states="draft,waiting,confirmed,assigned" colspan="1"/> - - + +
      From 3278a63fd9c6cd9c9def87198bdb4dfde6fbc502 Mon Sep 17 00:00:00 2001 From: Raphael Collet Date: Fri, 13 Jan 2012 16:17:23 +0100 Subject: [PATCH 161/166] [FIX] stock: fix form view of production lot bzr revid: rco@openerp.com-20120113151723-mjwksx9xnoq6fcaj --- addons/stock/stock_view.xml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/addons/stock/stock_view.xml b/addons/stock/stock_view.xml index e0b4580e0ee..4ed57da90a5 100644 --- a/addons/stock/stock_view.xml +++ b/addons/stock/stock_view.xml @@ -329,8 +329,8 @@
      - - + + - - - - - - - - - - - - -
      - - - - - - - - - -
      - : - - -
      -
      From af29425b0603648d6117991d8135bbb8b409fe04 Mon Sep 17 00:00:00 2001 From: Xavier Morel Date: Fri, 13 Jan 2012 18:55:29 +0100 Subject: [PATCH 165/166] [FIX] missing translation marks bzr revid: xmo@openerp.com-20120113175529-7m3kc08vao4ws9a8 --- addons/web/static/src/js/views.js | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/addons/web/static/src/js/views.js b/addons/web/static/src/js/views.js index 3fec549c774..cc108837f88 100644 --- a/addons/web/static/src/js/views.js +++ b/addons/web/static/src/js/views.js @@ -548,7 +548,7 @@ session.web.ViewManagerAction = session.web.ViewManager.extend(/** @lends oepner current_view = this.views[this.active_view].controller; switch (val) { case 'fvg': - var dialog = new session.web.Dialog(this, { title: "Fields View Get", width: '95%' }).open(); + var dialog = new session.web.Dialog(this, { title: _t("Fields View Get"), width: '95%' }).open(); $('
      ').text(session.web.json_node_to_xml(current_view.fields_view.arch, true)).appendTo(dialog.$element);
                       break;
                   case 'fields':
      @@ -580,7 +580,8 @@ session.web.ViewManagerAction = session.web.ViewManager.extend(/** @lends oepner
                           fields: ['id'],
                           domain: [['model', '=', this.dataset.model]]
                       }, function (result) {
      -                    self.do_edit_resource('ir.model', result.ids[0], { name : "Customize Object" });
      +                    self.do_edit_resource('ir.model', result.ids[0], {
      +                        name : _t("Customize Object") });
                       });
                       break;
                   case 'manage_views':
      @@ -588,7 +589,8 @@ session.web.ViewManagerAction = session.web.ViewManager.extend(/** @lends oepner
                           var view_editor = new session.web.ViewEditor(current_view, current_view.$element, this.dataset, current_view.fields_view.arch);
                           view_editor.start();
                       } else {
      -                    this.do_warn("Manage Views", "Could not find current view declaration");
      +                    this.do_warn(_t("Manage Views"),
      +                            _t("Could not find current view declaration"));
                       }
                       break;
                   case 'edit_workflow':
      
      From 9b02aed518a1fe65ff49679ee915f55cdcc6c319 Mon Sep 17 00:00:00 2001
      From: Launchpad Translations on behalf of openerp <>
      Date: Sat, 14 Jan 2012 05:10:38 +0000
      Subject: [PATCH 166/166] Launchpad automatic translations update.
      
      bzr revid: launchpad_translations_on_behalf_of_openerp-20120114051038-jxxvburcw1gihii5
      ---
       openerp/addons/base/i18n/ja.po    |  2 +-
       openerp/addons/base/i18n/zh_CN.po | 12 +++++++-----
       2 files changed, 8 insertions(+), 6 deletions(-)
      
      diff --git a/openerp/addons/base/i18n/ja.po b/openerp/addons/base/i18n/ja.po
      index 2eab104f727..de7633ae7e9 100644
      --- a/openerp/addons/base/i18n/ja.po
      +++ b/openerp/addons/base/i18n/ja.po
      @@ -14,7 +14,7 @@ msgstr ""
       "MIME-Version: 1.0\n"
       "Content-Type: text/plain; charset=UTF-8\n"
       "Content-Transfer-Encoding: 8bit\n"
      -"X-Launchpad-Export-Date: 2012-01-13 04:39+0000\n"
      +"X-Launchpad-Export-Date: 2012-01-14 05:10+0000\n"
       "X-Generator: Launchpad (build 14664)\n"
       
       #. module: base
      diff --git a/openerp/addons/base/i18n/zh_CN.po b/openerp/addons/base/i18n/zh_CN.po
      index 3eabd73e01f..c04d21659ae 100644
      --- a/openerp/addons/base/i18n/zh_CN.po
      +++ b/openerp/addons/base/i18n/zh_CN.po
      @@ -7,13 +7,13 @@ msgstr ""
       "Project-Id-Version: OpenERP Server 5.0.4\n"
       "Report-Msgid-Bugs-To: support@openerp.com\n"
       "POT-Creation-Date: 2011-12-22 20:22+0000\n"
      -"PO-Revision-Date: 2012-01-12 09:39+0000\n"
      +"PO-Revision-Date: 2012-01-13 16:46+0000\n"
       "Last-Translator: Wei \"oldrev\" Li \n"
       "Language-Team: \n"
       "MIME-Version: 1.0\n"
       "Content-Type: text/plain; charset=UTF-8\n"
       "Content-Transfer-Encoding: 8bit\n"
      -"X-Launchpad-Export-Date: 2012-01-13 04:39+0000\n"
      +"X-Launchpad-Export-Date: 2012-01-14 05:10+0000\n"
       "X-Generator: Launchpad (build 14664)\n"
       
       #. module: base
      @@ -186,7 +186,7 @@ msgstr "警告!"
       msgid ""
       "Properties of base fields cannot be altered in this manner! Please modify "
       "them through Python code, preferably through a custom addon!"
      -msgstr "基本字段的属性不能这样修改,请通过 Python 代码来修改它,最好是制作一个自定义模块。"
      +msgstr "基本字段的属性不能这样修改,请通过 Python 代码来修改它们,更好的办法是通过自定义模块来修改。"
       
       #. module: base
       #: code:addons/osv.py:129
      @@ -834,7 +834,7 @@ msgstr ""
       #. module: base
       #: view:res.users:0
       msgid "Email Preferences"
      -msgstr "Email 首选项"
      +msgstr "电子邮件选项"
       
       #. module: base
       #: model:ir.module.module,description:base.module_audittrail
      @@ -4114,7 +4114,7 @@ msgstr "必填"
       #. module: base
       #: view:res.users:0
       msgid "Default Filters"
      -msgstr "默认的过滤"
      +msgstr "默认过滤器"
       
       #. module: base
       #: field:res.request.history,name:0
      @@ -7212,6 +7212,8 @@ msgid ""
       "interface, which has less features but is easier to use. You can switch to "
       "the other interface from the User/Preferences menu at any time."
       msgstr ""
      +"OpenERP 提供了简化与扩展的用户界面。如果您是第一次使用 OpenERP, "
      +"我们强烈建议您选择简化界面,简化界面功能较少但更易用。您以后也可以在“用户”/“首选项”菜单中切换界面形式。"
       
       #. module: base
       #: model:res.country,name:base.cc