diff --git a/addons/account/static/src/js/account_move_reconciliation.js b/addons/account/static/src/js/account_move_reconciliation.js index 19c194166e2..dbbfe3cc069 100644 --- a/addons/account/static/src/js/account_move_reconciliation.js +++ b/addons/account/static/src/js/account_move_reconciliation.js @@ -103,7 +103,7 @@ openerp.account = function (instance) { action_id: result[1], context: additional_context }).done(function (result) { - result.context = _.extend(result.context || {}, additional_context); + result.context = instance.web.pyeval.eval('contexts', [result.context, additional_context]); result.flags = result.flags || {}; result.flags.new_window = true; return self.do_action(result, { diff --git a/addons/base_crypt/__init__.py b/addons/auth_crypt/__init__.py similarity index 95% rename from addons/base_crypt/__init__.py rename to addons/auth_crypt/__init__.py index 2534598a76f..c6086dd9725 100644 --- a/addons/base_crypt/__init__.py +++ b/addons/auth_crypt/__init__.py @@ -18,8 +18,7 @@ # ############################################################################## -from openerp.service import security -import crypt +import auth_crypt # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: diff --git a/addons/base_crypt/__openerp__.py b/addons/auth_crypt/__openerp__.py similarity index 57% rename from addons/base_crypt/__openerp__.py rename to addons/auth_crypt/__openerp__.py index 97f6c98aeb8..f8d5c5bdce7 100644 --- a/addons/base_crypt/__openerp__.py +++ b/addons/auth_crypt/__openerp__.py @@ -19,35 +19,15 @@ # ############################################################################## { - 'name': 'DB Password Encryption', + 'name': 'Password Encryption', 'version': '1.1', 'author': ['OpenERP SA', 'FS3'], 'maintainer': 'OpenERP SA', 'website': 'http://www.openerp.com', 'category': 'Tools', 'description': """ -Replaces cleartext passwords in the database with a secure hash. -================================================================ - -For your existing user base, the removal of the cleartext passwords occurs -immediately when you install base_crypt. - -All passwords will be replaced by a secure, salted, cryptographic hash, -preventing anyone from reading the original password in the database. - -After installing this module, it won't be possible to recover a forgotten password -for your users, the only solution is for an admin to set a new password. - -Security Warning: ------------------ -Installing this module does not mean you can ignore other security measures, -as the password is still transmitted unencrypted on the network, unless you -are using a secure protocol such as XML-RPCS or HTTPS. - -It also does not protect the rest of the content of the database, which may -contain critical data. Appropriate security measures need to be implemented -by the system administrator in all areas, such as: protection of database -backups, system files, remote shell access, physical server access. +Ecrypted passwords +================== Interaction with LDAP authentication: ------------------------------------- diff --git a/addons/auth_crypt/auth_crypt.py b/addons/auth_crypt/auth_crypt.py new file mode 100644 index 00000000000..d0a4fda9632 --- /dev/null +++ b/addons/auth_crypt/auth_crypt.py @@ -0,0 +1,166 @@ +# +# Implements encrypting functions. +# +# Copyright (c) 2008, F S 3 Consulting Inc. +# +# Maintainer: +# Alec Joseph Rivera (agifs3.ph) +# refactored by Antony Lesuisse openerp.com> +# + +import hashlib +import hmac +import logging +from random import sample +from string import ascii_letters, digits + +import openerp +from openerp.osv import fields, osv + +_logger = logging.getLogger(__name__) + +magic_md5 = '$1$' +magic_sha256 = '$5$' + +def gen_salt(length=8, symbols=None): + if symbols is None: + symbols = ascii_letters + digits + return ''.join(sample(symbols, length)) + +def md5crypt( raw_pw, salt, magic=magic_md5 ): + """ md5crypt FreeBSD crypt(3) based on but different from md5 + + The md5crypt is based on Mark Johnson's md5crypt.py, which in turn is + based on FreeBSD src/lib/libcrypt/crypt.c (1.2) by Poul-Henning Kamp. + Mark's port can be found in ActiveState ASPN Python Cookbook. Kudos to + Poul and Mark. -agi + + Original license: + + * "THE BEER-WARE LICENSE" (Revision 42): + * + * wrote this file. As long as you retain this + * notice you can do whatever you want with this stuff. If we meet some + * day, and you think this stuff is worth it, you can buy me a beer in + * return. + * + * Poul-Henning Kamp + """ + raw_pw = raw_pw.encode('utf-8') + salt = salt.encode('utf-8') + hash = hashlib.md5() + hash.update( raw_pw + magic + salt ) + st = hashlib.md5() + st.update( raw_pw + salt + raw_pw) + stretch = st.digest() + + for i in range( 0, len( raw_pw ) ): + hash.update( stretch[i % 16] ) + + i = len( raw_pw ) + + while i: + if i & 1: + hash.update('\x00') + else: + hash.update( raw_pw[0] ) + i >>= 1 + + saltedmd5 = hash.digest() + + for i in range( 1000 ): + hash = hashlib.md5() + + if i & 1: + hash.update( raw_pw ) + else: + hash.update( saltedmd5 ) + + if i % 3: + hash.update( salt ) + if i % 7: + hash.update( raw_pw ) + if i & 1: + hash.update( saltedmd5 ) + else: + hash.update( raw_pw ) + + saltedmd5 = hash.digest() + + itoa64 = './0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz' + + rearranged = '' + for a, b, c in ((0, 6, 12), (1, 7, 13), (2, 8, 14), (3, 9, 15), (4, 10, 5)): + v = ord( saltedmd5[a] ) << 16 | ord( saltedmd5[b] ) << 8 | ord( saltedmd5[c] ) + + for i in range(4): + rearranged += itoa64[v & 0x3f] + v >>= 6 + + v = ord( saltedmd5[11] ) + + for i in range( 2 ): + rearranged += itoa64[v & 0x3f] + v >>= 6 + + return magic + salt + '$' + rearranged + +def sh256crypt(cls, password, salt, magic=magic_sha256): + iterations = 1000 + # see http://en.wikipedia.org/wiki/PBKDF2 + result = password.encode('utf8') + for i in xrange(cls.iterations): + result = hmac.HMAC(result, salt, hashlib.sha256).digest() # uses HMAC (RFC 2104) to apply salt + result = result.encode('base64') # doesnt seem to be crypt(3) compatible + return '%s%s$%s' % (magic_sha256, salt, result) + +class res_users(osv.osv): + _inherit = "res.users" + + def set_pw(self, cr, uid, id, name, value, args, context): + if value: + encrypted = md5crypt(value, gen_salt()) + cr.execute('update res_users set password_crypt=%s where id=%s', (encrypted, int(id))) + del value + + def get_pw( self, cr, uid, ids, name, args, context ): + cr.execute('select id, password from res_users where id in %s', (tuple(map(int, ids)),)) + stored_pws = cr.fetchall() + res = {} + + for id, stored_pw in stored_pws: + res[id] = stored_pw + + return res + + _columns = { + 'password': fields.function(get_pw, fnct_inv=set_pw, type='char', string='Password', invisible=True, store=True), + 'password_crypt': fields.char(string='Encrypted Password', invisible=True), + } + + def check_credentials(self, cr, uid, password): + # convert to base_crypt if needed + cr.execute('SELECT password, password_crypt FROM res_users WHERE id=%s AND active', (uid,)) + if cr.rowcount: + stored_password, stored_password_crypt = cr.fetchone() + if password and not stored_password_crypt: + salt = gen_salt() + stored_password_crypt = md5crypt(stored_password, salt) + cr.execute("UPDATE res_users SET password='', password_crypt=%s WHERE id=%s", (stored_password_crypt, uid)) + try: + return super(res_users, self).check_credentials(cr, uid, password) + except openerp.exceptions.AccessDenied: + # check md5crypt + if stored_password_crypt[:len(magic_md5)] == magic_md5: + salt = stored_password_crypt[len(magic_md5):11] + if stored_password_crypt == md5crypt(password, salt): + return + elif stored_password_crypt[:len(magic_md5)] == magic_sha256: + salt = stored_password_crypt[len(magic_md5):11] + if stored_password_crypt == md5crypt(password, salt): + return + # Reraise password incorrect + raise + + +# vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: diff --git a/addons/base_crypt/i18n/ar.po b/addons/auth_crypt/i18n/ar.po similarity index 100% rename from addons/base_crypt/i18n/ar.po rename to addons/auth_crypt/i18n/ar.po diff --git a/addons/base_crypt/i18n/base_crypt.pot b/addons/auth_crypt/i18n/base_crypt.pot similarity index 100% rename from addons/base_crypt/i18n/base_crypt.pot rename to addons/auth_crypt/i18n/base_crypt.pot diff --git a/addons/base_crypt/i18n/bg.po b/addons/auth_crypt/i18n/bg.po similarity index 100% rename from addons/base_crypt/i18n/bg.po rename to addons/auth_crypt/i18n/bg.po diff --git a/addons/base_crypt/i18n/ca.po b/addons/auth_crypt/i18n/ca.po similarity index 100% rename from addons/base_crypt/i18n/ca.po rename to addons/auth_crypt/i18n/ca.po diff --git a/addons/base_crypt/i18n/cs.po b/addons/auth_crypt/i18n/cs.po similarity index 100% rename from addons/base_crypt/i18n/cs.po rename to addons/auth_crypt/i18n/cs.po diff --git a/addons/base_crypt/i18n/da.po b/addons/auth_crypt/i18n/da.po similarity index 100% rename from addons/base_crypt/i18n/da.po rename to addons/auth_crypt/i18n/da.po diff --git a/addons/base_crypt/i18n/de.po b/addons/auth_crypt/i18n/de.po similarity index 100% rename from addons/base_crypt/i18n/de.po rename to addons/auth_crypt/i18n/de.po diff --git a/addons/base_crypt/i18n/el.po b/addons/auth_crypt/i18n/el.po similarity index 100% rename from addons/base_crypt/i18n/el.po rename to addons/auth_crypt/i18n/el.po diff --git a/addons/base_crypt/i18n/en_GB.po b/addons/auth_crypt/i18n/en_GB.po similarity index 100% rename from addons/base_crypt/i18n/en_GB.po rename to addons/auth_crypt/i18n/en_GB.po diff --git a/addons/base_crypt/i18n/es.po b/addons/auth_crypt/i18n/es.po similarity index 100% rename from addons/base_crypt/i18n/es.po rename to addons/auth_crypt/i18n/es.po diff --git a/addons/base_crypt/i18n/es_CL.po b/addons/auth_crypt/i18n/es_CL.po similarity index 100% rename from addons/base_crypt/i18n/es_CL.po rename to addons/auth_crypt/i18n/es_CL.po diff --git a/addons/base_crypt/i18n/es_CR.po b/addons/auth_crypt/i18n/es_CR.po similarity index 100% rename from addons/base_crypt/i18n/es_CR.po rename to addons/auth_crypt/i18n/es_CR.po diff --git a/addons/base_crypt/i18n/es_MX.po b/addons/auth_crypt/i18n/es_MX.po similarity index 100% rename from addons/base_crypt/i18n/es_MX.po rename to addons/auth_crypt/i18n/es_MX.po diff --git a/addons/base_crypt/i18n/es_PY.po b/addons/auth_crypt/i18n/es_PY.po similarity index 100% rename from addons/base_crypt/i18n/es_PY.po rename to addons/auth_crypt/i18n/es_PY.po diff --git a/addons/base_crypt/i18n/es_VE.po b/addons/auth_crypt/i18n/es_VE.po similarity index 100% rename from addons/base_crypt/i18n/es_VE.po rename to addons/auth_crypt/i18n/es_VE.po diff --git a/addons/base_crypt/i18n/et.po b/addons/auth_crypt/i18n/et.po similarity index 100% rename from addons/base_crypt/i18n/et.po rename to addons/auth_crypt/i18n/et.po diff --git a/addons/base_crypt/i18n/fa.po b/addons/auth_crypt/i18n/fa.po similarity index 100% rename from addons/base_crypt/i18n/fa.po rename to addons/auth_crypt/i18n/fa.po diff --git a/addons/base_crypt/i18n/fi.po b/addons/auth_crypt/i18n/fi.po similarity index 100% rename from addons/base_crypt/i18n/fi.po rename to addons/auth_crypt/i18n/fi.po diff --git a/addons/base_crypt/i18n/fr.po b/addons/auth_crypt/i18n/fr.po similarity index 100% rename from addons/base_crypt/i18n/fr.po rename to addons/auth_crypt/i18n/fr.po diff --git a/addons/base_crypt/i18n/gl.po b/addons/auth_crypt/i18n/gl.po similarity index 100% rename from addons/base_crypt/i18n/gl.po rename to addons/auth_crypt/i18n/gl.po diff --git a/addons/base_crypt/i18n/gu.po b/addons/auth_crypt/i18n/gu.po similarity index 100% rename from addons/base_crypt/i18n/gu.po rename to addons/auth_crypt/i18n/gu.po diff --git a/addons/base_crypt/i18n/hr.po b/addons/auth_crypt/i18n/hr.po similarity index 100% rename from addons/base_crypt/i18n/hr.po rename to addons/auth_crypt/i18n/hr.po diff --git a/addons/base_crypt/i18n/id.po b/addons/auth_crypt/i18n/id.po similarity index 100% rename from addons/base_crypt/i18n/id.po rename to addons/auth_crypt/i18n/id.po diff --git a/addons/base_crypt/i18n/it.po b/addons/auth_crypt/i18n/it.po similarity index 100% rename from addons/base_crypt/i18n/it.po rename to addons/auth_crypt/i18n/it.po diff --git a/addons/base_crypt/i18n/ja.po b/addons/auth_crypt/i18n/ja.po similarity index 100% rename from addons/base_crypt/i18n/ja.po rename to addons/auth_crypt/i18n/ja.po diff --git a/addons/base_crypt/i18n/lv.po b/addons/auth_crypt/i18n/lv.po similarity index 100% rename from addons/base_crypt/i18n/lv.po rename to addons/auth_crypt/i18n/lv.po diff --git a/addons/base_crypt/i18n/mn.po b/addons/auth_crypt/i18n/mn.po similarity index 100% rename from addons/base_crypt/i18n/mn.po rename to addons/auth_crypt/i18n/mn.po diff --git a/addons/base_crypt/i18n/nb.po b/addons/auth_crypt/i18n/nb.po similarity index 100% rename from addons/base_crypt/i18n/nb.po rename to addons/auth_crypt/i18n/nb.po diff --git a/addons/base_crypt/i18n/nl.po b/addons/auth_crypt/i18n/nl.po similarity index 100% rename from addons/base_crypt/i18n/nl.po rename to addons/auth_crypt/i18n/nl.po diff --git a/addons/base_crypt/i18n/nl_BE.po b/addons/auth_crypt/i18n/nl_BE.po similarity index 100% rename from addons/base_crypt/i18n/nl_BE.po rename to addons/auth_crypt/i18n/nl_BE.po diff --git a/addons/base_crypt/i18n/oc.po b/addons/auth_crypt/i18n/oc.po similarity index 100% rename from addons/base_crypt/i18n/oc.po rename to addons/auth_crypt/i18n/oc.po diff --git a/addons/base_crypt/i18n/pl.po b/addons/auth_crypt/i18n/pl.po similarity index 100% rename from addons/base_crypt/i18n/pl.po rename to addons/auth_crypt/i18n/pl.po diff --git a/addons/base_crypt/i18n/pt.po b/addons/auth_crypt/i18n/pt.po similarity index 100% rename from addons/base_crypt/i18n/pt.po rename to addons/auth_crypt/i18n/pt.po diff --git a/addons/base_crypt/i18n/pt_BR.po b/addons/auth_crypt/i18n/pt_BR.po similarity index 100% rename from addons/base_crypt/i18n/pt_BR.po rename to addons/auth_crypt/i18n/pt_BR.po diff --git a/addons/base_crypt/i18n/ro.po b/addons/auth_crypt/i18n/ro.po similarity index 100% rename from addons/base_crypt/i18n/ro.po rename to addons/auth_crypt/i18n/ro.po diff --git a/addons/base_crypt/i18n/ru.po b/addons/auth_crypt/i18n/ru.po similarity index 100% rename from addons/base_crypt/i18n/ru.po rename to addons/auth_crypt/i18n/ru.po diff --git a/addons/base_crypt/i18n/sk.po b/addons/auth_crypt/i18n/sk.po similarity index 100% rename from addons/base_crypt/i18n/sk.po rename to addons/auth_crypt/i18n/sk.po diff --git a/addons/base_crypt/i18n/sl.po b/addons/auth_crypt/i18n/sl.po similarity index 100% rename from addons/base_crypt/i18n/sl.po rename to addons/auth_crypt/i18n/sl.po diff --git a/addons/base_crypt/i18n/sq.po b/addons/auth_crypt/i18n/sq.po similarity index 100% rename from addons/base_crypt/i18n/sq.po rename to addons/auth_crypt/i18n/sq.po diff --git a/addons/base_crypt/i18n/sr@latin.po b/addons/auth_crypt/i18n/sr@latin.po similarity index 100% rename from addons/base_crypt/i18n/sr@latin.po rename to addons/auth_crypt/i18n/sr@latin.po diff --git a/addons/base_crypt/i18n/sv.po b/addons/auth_crypt/i18n/sv.po similarity index 100% rename from addons/base_crypt/i18n/sv.po rename to addons/auth_crypt/i18n/sv.po diff --git a/addons/base_crypt/i18n/tr.po b/addons/auth_crypt/i18n/tr.po similarity index 100% rename from addons/base_crypt/i18n/tr.po rename to addons/auth_crypt/i18n/tr.po diff --git a/addons/base_crypt/i18n/vi.po b/addons/auth_crypt/i18n/vi.po similarity index 100% rename from addons/base_crypt/i18n/vi.po rename to addons/auth_crypt/i18n/vi.po diff --git a/addons/base_crypt/i18n/zh_CN.po b/addons/auth_crypt/i18n/zh_CN.po similarity index 100% rename from addons/base_crypt/i18n/zh_CN.po rename to addons/auth_crypt/i18n/zh_CN.po diff --git a/addons/base_crypt/i18n/zh_TW.po b/addons/auth_crypt/i18n/zh_TW.po similarity index 100% rename from addons/base_crypt/i18n/zh_TW.po rename to addons/auth_crypt/i18n/zh_TW.po diff --git a/addons/base_crypt/crypt.py b/addons/base_crypt/crypt.py deleted file mode 100644 index 0cc218ed575..00000000000 --- a/addons/base_crypt/crypt.py +++ /dev/null @@ -1,295 +0,0 @@ -# -# Implements encrypting functions. -# -# Copyright (c) 2008, F S 3 Consulting Inc. -# -# Maintainer: -# Alec Joseph Rivera (agifs3.ph) -# -# -# Warning: -# ------- -# -# This program as such is intended to be used by professional programmers -# who take the whole responsibility of assessing all potential consequences -# resulting from its eventual inadequacies and bugs. End users who are -# looking for a ready-to-use solution with commercial guarantees and -# support are strongly adviced to contract a Free Software Service Company. -# -# This program is Free Software; you can redistribute it and/or modify it -# under the terms of the GNU General Public License as published by the -# Free Software Foundation; either version 2 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 General -# Public License for more details. -# -# You should have received a copy of the GNU General Public License along -# with this program; if not, write to the: -# -# Free Software Foundation, Inc. -# 59 Temple Place - Suite 330 -# Boston, MA 02111-1307 -# USA. - -import hashlib -import logging -from random import sample -from string import ascii_letters, digits - -from openerp import pooler -from openerp.osv import fields,osv -from openerp.tools.translate import _ -from openerp.service import security - -magic_md5 = '$1$' -_logger = logging.getLogger(__name__) - -def gen_salt(length=8, symbols=None): - if symbols is None: - symbols = ascii_letters + digits - return ''.join(sample(symbols, length)) - - -def md5crypt( raw_pw, salt, magic=magic_md5 ): - """ md5crypt FreeBSD crypt(3) based on but different from md5 - - The md5crypt is based on Mark Johnson's md5crypt.py, which in turn is - based on FreeBSD src/lib/libcrypt/crypt.c (1.2) by Poul-Henning Kamp. - Mark's port can be found in ActiveState ASPN Python Cookbook. Kudos to - Poul and Mark. -agi - - Original license: - - * "THE BEER-WARE LICENSE" (Revision 42): - * - * wrote this file. As long as you retain this - * notice you can do whatever you want with this stuff. If we meet some - * day, and you think this stuff is worth it, you can buy me a beer in - * return. - * - * Poul-Henning Kamp - """ - raw_pw = raw_pw.encode('utf-8') - salt = salt.encode('utf-8') - hash = hashlib.md5() - hash.update( raw_pw + magic + salt ) - st = hashlib.md5() - st.update( raw_pw + salt + raw_pw) - stretch = st.digest() - - for i in range( 0, len( raw_pw ) ): - hash.update( stretch[i % 16] ) - - i = len( raw_pw ) - - while i: - if i & 1: - hash.update('\x00') - else: - hash.update( raw_pw[0] ) - i >>= 1 - - saltedmd5 = hash.digest() - - for i in range( 1000 ): - hash = hashlib.md5() - - if i & 1: - hash.update( raw_pw ) - else: - hash.update( saltedmd5 ) - - if i % 3: - hash.update( salt ) - if i % 7: - hash.update( raw_pw ) - if i & 1: - hash.update( saltedmd5 ) - else: - hash.update( raw_pw ) - - saltedmd5 = hash.digest() - - itoa64 = './0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz' - - rearranged = '' - for a, b, c in ((0, 6, 12), (1, 7, 13), (2, 8, 14), (3, 9, 15), (4, 10, 5)): - v = ord( saltedmd5[a] ) << 16 | ord( saltedmd5[b] ) << 8 | ord( saltedmd5[c] ) - - for i in range(4): - rearranged += itoa64[v & 0x3f] - v >>= 6 - - v = ord( saltedmd5[11] ) - - for i in range( 2 ): - rearranged += itoa64[v & 0x3f] - v >>= 6 - - return magic + salt + '$' + rearranged - - -class users(osv.osv): - _name="res.users" - _inherit="res.users" - # agi - 022108 - # Add handlers for 'input_pw' field. - - def set_pw(self, cr, uid, id, name, value, args, context): - if value: - obj = pooler.get_pool(cr.dbname).get('res.users') - if not hasattr(obj, "_salt_cache"): - obj._salt_cache = {} - - salt = obj._salt_cache[id] = gen_salt() - encrypted = md5crypt(value, salt) - - else: - #setting a password to '' is allowed. It can be used to inactivate the classic log-in of the user - #while the access can still be granted by another login method (openid...) - encrypted = '' - cr.execute('update res_users set password=%s where id=%s', - (encrypted.encode('utf-8'), int(id))) - del value - - def get_pw( self, cr, uid, ids, name, args, context ): - cr.execute('select id, password from res_users where id in %s', (tuple(map(int, ids)),)) - stored_pws = cr.fetchall() - res = {} - - for id, stored_pw in stored_pws: - res[id] = stored_pw - - return res - - _columns = { - 'password': fields.function(get_pw, fnct_inv=set_pw, type='char', string='Password', invisible=True, store=True), - } - - def login(self, db, login, password): - if not password: - return False - if db is False: - raise RuntimeError("Cannot authenticate to False db!") - cr = None - try: - cr = pooler.get_db(db).cursor() - return self._login(cr, db, login, password) - except Exception: - _logger.exception('Cannot authenticate.') - return Exception('Access denied.') - finally: - if cr is not None: - cr.close() - - def _login(self, cr, db, login, password): - cr.execute( 'SELECT password, id FROM res_users WHERE login=%s AND active', - (login.encode('utf-8'),)) - - if cr.rowcount: - stored_pw, id = cr.fetchone() - else: - # Return early if no one has a login name like that. - return False - - stored_pw = self.maybe_encrypt(cr, stored_pw, id) - - if not stored_pw: - # means couldn't encrypt or user is not active! - return False - - # Calculate an encrypted password from the user-provided - # password. - obj = pooler.get_pool(db).get('res.users') - if not hasattr(obj, "_salt_cache"): - obj._salt_cache = {} - salt = obj._salt_cache[id] = stored_pw[len(magic_md5):11] - encrypted_pw = md5crypt(password, salt) - - # Check if the encrypted password matches against the one in the db. - cr.execute("""UPDATE res_users - SET login_date=now() AT TIME ZONE 'UTC' - WHERE id=%s AND password=%s AND active - RETURNING id""", - (int(id), encrypted_pw.encode('utf-8'))) - res = cr.fetchone() - cr.commit() - - if res: - return res[0] - else: - return False - - def check(self, db, uid, passwd): - if not passwd: - # empty passwords disallowed for obvious security reasons - raise security.ExceptionNoTb('AccessDenied') - - # Get a chance to hash all passwords in db before using the uid_cache. - obj = pooler.get_pool(db).get('res.users') - if not hasattr(obj, "_salt_cache"): - obj._salt_cache = {} - self._uid_cache.get(db, {}).clear() - - cached_pass = self._uid_cache.get(db, {}).get(uid) - if (cached_pass is not None) and cached_pass == passwd: - return True - - cr = pooler.get_db(db).cursor() - try: - if uid not in self._salt_cache.get(db, {}): - # If we don't have cache, we have to repeat the procedure - # through the login function. - cr.execute( 'SELECT login FROM res_users WHERE id=%s', (uid,) ) - stored_login = cr.fetchone() - if stored_login: - stored_login = stored_login[0] - - res = self._login(cr, db, stored_login, passwd) - if not res: - raise security.ExceptionNoTb('AccessDenied') - else: - salt = self._salt_cache[db][uid] - cr.execute('SELECT COUNT(*) FROM res_users WHERE id=%s AND password=%s AND active', - (int(uid), md5crypt(passwd, salt))) - res = cr.fetchone()[0] - finally: - cr.close() - - if not bool(res): - raise security.ExceptionNoTb('AccessDenied') - - if res: - if self._uid_cache.has_key(db): - ulist = self._uid_cache[db] - ulist[uid] = passwd - else: - self._uid_cache[db] = {uid: passwd} - return bool(res) - - def maybe_encrypt(self, cr, pw, id): - """ Return the password 'pw', making sure it is encrypted. - - If the password 'pw' is not encrypted, then encrypt all active passwords - in the db. Returns the (possibly newly) encrypted password for 'id'. - """ - - if not pw.startswith(magic_md5): - cr.execute("SELECT id, password FROM res_users WHERE active=true AND password NOT LIKE '$%'") - # Note that we skip all passwords like $.., in anticipation for - # more than md5 magic prefixes. - res = cr.fetchall() - for i, p in res: - encrypted = md5crypt(p, gen_salt()) - cr.execute('UPDATE res_users SET password=%s where id=%s', (encrypted, i)) - if i == id: - encrypted_res = encrypted - cr.commit() - return encrypted_res - return pw - - -# vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: diff --git a/addons/l10n_bo/__init__.py b/addons/l10n_bo/__init__.py new file mode 100644 index 00000000000..92da5dbf966 --- /dev/null +++ b/addons/l10n_bo/__init__.py @@ -0,0 +1,32 @@ +# -*- encoding: utf-8 -*- +############################################################################## +# +# OpenERP, Open Source Management Solution +# Copyright (c) 2011 Cubic ERP - Teradata SAC. (http://cubicerp.com). +# +# WARNING: This program as such is intended to be used by professional +# programmers who take the whole responsability of assessing all potential +# consequences resulting from its eventual inadequacies and bugs +# End users who are looking for a ready-to-use solution with commercial +# garantees and support are strongly adviced to contract a Free Software +# Service Company +# +# This program is Free Software; you can redistribute it and/or +# modify it under the terms of the GNU General Public License +# as published by the Free Software Foundation; either version 2 +# 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 General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program; if not, write to the Free Software +# Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. +# +############################################################################## + + + +# vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: diff --git a/addons/l10n_bo/__openerp__.py b/addons/l10n_bo/__openerp__.py new file mode 100644 index 00000000000..d55777d198f --- /dev/null +++ b/addons/l10n_bo/__openerp__.py @@ -0,0 +1,52 @@ +# -*- encoding: utf-8 -*- +############################################################################## +# +# OpenERP, Open Source Management Solution +# Copyright (C) 2012 Cubic ERP - Teradata SAC (). +# +# 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 . +# +############################################################################## +{ + "name": "Bolivia Localization Chart Account", + "version": "1.0", + "description": """ +Bolivian accounting chart and tax localization. + +Plan contable boliviano e impuestos de acuerdo a disposiciones vigentes + + """, + "author": "Cubic ERP", + "website": "http://cubicERP.com", + "category": "Localization/Account Charts", + "depends": [ + "account_chart", + ], + "data":[ + "account_tax_code.xml", + "l10n_bo_chart.xml", + "account_tax.xml", + "l10n_bo_wizard.xml", + ], + "demo_xml": [ + ], + "update_xml": [ + ], + "active": False, + "installable": True, + "certificate" : "", + 'images': ['images/config_chart_l10n_bo.jpeg','images/l10n_bo_chart.jpeg'], + +} +# vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: diff --git a/addons/l10n_bo/account_tax.xml b/addons/l10n_bo/account_tax.xml new file mode 100644 index 00000000000..6c0ca68c4ba --- /dev/null +++ b/addons/l10n_bo/account_tax.xml @@ -0,0 +1,50 @@ + + + + + + + IVA 13% Venta + 0.130000 + percent + sale + 1 + + + + + + + + + + IVA 13% Compra + 0.130000 + percent + purchase + 1 + + + + + + + + + + + IT 3% + 0.30000 + percent + sale + 0 + + + + + + + + + + diff --git a/addons/l10n_bo/account_tax_code.xml b/addons/l10n_bo/account_tax_code.xml new file mode 100644 index 00000000000..9b3fa8cf6e3 --- /dev/null +++ b/addons/l10n_bo/account_tax_code.xml @@ -0,0 +1,94 @@ + + + + + + Bolivia Impuestos + + + Base Imponible + + + + Base Imponible - Ventas + + + + Impuesto al Valor Agregado con IVA + + + + Ventas NO Gravadas (Exoneradas) + + + + Ventas Gravadas Fuera de Ámbito + + + + Base Imponible - Compras + + + + Compras Gravadas con IVA + + + + Compras NO Gravadas (Exoneradas) + + + + Compras Gravadas Fuera de Ámbito + + + + + Impuesto al Valor Agregado (IVA) Total a Pagar + + + + Impuesto Pagado + + + + Impuesto Pagado IVA + + -1 + + + Impuesto Pagado de Exonerados al IVA + + -1 + + + Impuesto Pagado Fuera de Ámbito + + -1 + + + Impuesto Cobrado + + + + Impuesto Cobrado IVA + + + + Impuesto Cobrado de Exonerados al IVA + + + + Impuesto Cobrado Fuera de Ámbito + + + + + Impuesto a las Transacciones IT (3%) + + + + Impuesto a las Utilidades de la Empresa IUE (25%) + + + + diff --git a/addons/l10n_bo/i18n/es.po b/addons/l10n_bo/i18n/es.po new file mode 100644 index 00000000000..9d12c53b71c --- /dev/null +++ b/addons/l10n_bo/i18n/es.po @@ -0,0 +1,72 @@ +# Spanish translation for openobject-addons +# Copyright (c) 2010 Rosetta Contributors and Canonical Ltd 2010 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2010. +# +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: 2011-01-10 13:46+0000\n" +"Last-Translator: Yury Tello \n" +"Language-Team: Spanish \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2011-01-15 05:56+0000\n" +"X-Generator: Launchpad (build 12177)\n" + +#. module: l10n_ar +#: model:ir.module.module,description:l10n_ar.module_meta_information +msgid "" +"\n" +" Bolivian Accounting : chart of Account\n" +" " +msgstr "" +"\n" +" Contabilidad Peruana : Plan de cuentas\n" +" " + +#. module: l10n_bo +#: model:ir.module.module,shortdesc:l10n_bo.module_meta_information +msgid "Bolivian Chart of Account" +msgstr "Plan de cuentas de Boliviana" + +#. module: l10n_bo +#: model:ir.actions.todo,note:l10n_bo.config_call_account_template_in_minimal +msgid "" +"Generate Chart of Accounts from a Chart Template. You will be asked to pass " +"the name of the company, the chart template to follow, the no. of digits to " +"generate the code for your accounts and Bank account, currency to create " +"Journals. Thus,the pure copy of chart Template is generated.\n" +"\tThis is the same wizard that runs from Financial " +"Management/Configuration/Financial Accounting/Financial Accounts/Generate " +"Chart of Accounts from a Chart Template." +msgstr "" +"Generar el plan contable a partir de una plantilla de plan contable. Se le " +"pedirá el nombre de la compañia, la plantilla de plan contable a utilizar, " +"el número de dígitos para generar el código de las cuentas y de la cuenta " +"bancaria, la moneda para crear los diarios. Así pues, se genere una copia " +"exacta de la plantilla de plan contable.\n" +"\tEste es el mismo asistente que se ejecuta desde Contabilidad y finanzas / " +"Configuración / Contabilidad financiera / Cuentas financieras / Generar el " +"plan contable a partir de una plantilla de plan contable." + +#~ msgid "Liability" +#~ msgstr "Pasivo" + +#~ msgid "Asset" +#~ msgstr "Activo" + +#~ msgid "Closed" +#~ msgstr "Cerrado" + +#~ msgid "Income" +#~ msgstr "Ingreso" + +#~ msgid "Expense" +#~ msgstr "Gasto" + +#~ msgid "View" +#~ msgstr "Vista" diff --git a/addons/l10n_bo/i18n/es_BO.po b/addons/l10n_bo/i18n/es_BO.po new file mode 100644 index 00000000000..5dc0ecb42be --- /dev/null +++ b/addons/l10n_bo/i18n/es_BO.po @@ -0,0 +1,53 @@ +# Spanish (Paraguay) translation for openobject-addons +# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 +# This file is distributed under the same license as the openobject-addons package. +# FIRST AUTHOR , 2011. +# +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: 2011-03-21 16:23+0000\n" +"Last-Translator: FULL NAME \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Launchpad-Export-Date: 2011-03-22 04:36+0000\n" +"X-Generator: Launchpad (build 12559)\n" + +#. module: l10n_bo +#: model:ir.module.module,description:l10n_bo.module_meta_information +msgid "" +"\n" +" Bolivian Accounting : chart of Account\n" +" " +msgstr "" +"\n" +" Contabilidad boliviana : Plan de cuentas\n" +" " + +#. module: l10n_ar +#: model:ir.module.module,shortdesc:l10n_ar.module_meta_information +msgid "Bolivian Chart of Account" +msgstr "Plan de cuentas de Bolivia" + +#. module: l10n_ar +#: model:ir.actions.todo,note:l10n_ar.config_call_account_template_in_minimal +msgid "" +"Generate Chart of Accounts from a Chart Template. You will be asked to pass " +"the name of the company, the chart template to follow, the no. of digits to " +"generate the code for your accounts and Bank account, currency to create " +"Journals. Thus,the pure copy of chart Template is generated.\n" +"\tThis is the same wizard that runs from Financial " +"Management/Configuration/Financial Accounting/Financial Accounts/Generate " +"Chart of Accounts from a Chart Template." +msgstr "" +"Generar el plan contable a partir de una plantilla de plan contable. Se le " +"pedirá el nombre de la compañía, la plantilla de plan contable a utilizar, " +"el número de dígitos para generar el código de las cuentas y de la cuenta " +"bancaria, la moneda para crear los diarios. Así pues, se genere una copia " +"exacta de la plantilla de plan contable.\n" +"\tEste es el mismo asistente que se ejecuta desde Contabilidad y finanzas / " +"Configuración / Contabilidad financiera / Cuentas financieras / Generar el " +"plan contable a partir de una plantilla de plan contable." diff --git a/addons/l10n_bo/i18n/l10n_bo.pot b/addons/l10n_bo/i18n/l10n_bo.pot new file mode 100644 index 00000000000..8d117342eea --- /dev/null +++ b/addons/l10n_bo/i18n/l10n_bo.pot @@ -0,0 +1,35 @@ +# Translation of OpenERP Server. +# This file contains the translation of the following modules: +# * l10n_ar +# +msgid "" +msgstr "" +"Project-Id-Version: OpenERP Server 6.1.0-rc1\n" +"Report-Msgid-Bugs-To: soporte@cubicerp.com\n" +"POT-Creation-Date: 2011-01-11 11:15:31+0000\n" +"PO-Revision-Date: 2011-01-11 11:15:31+0000\n" +"Last-Translator: <>\n" +"Language-Team: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: \n" +"Plural-Forms: \n" + +#. module: l10n_ar +#: model:ir.module.module,description:l10n_ar.module_meta_information +msgid "\n" +" Argentinian Accounting : chart of Account\n" +" " +msgstr "" + +#. module: l10n_ar +#: model:ir.module.module,shortdesc:l10n_ar.module_meta_information +msgid "Argentinian Chart of Account" +msgstr "" + +#. module: l10n_ar +#: model:ir.actions.todo,note:l10n_ar.config_call_account_template_in_minimal +msgid "Generate Chart of Accounts from a Chart Template. You will be asked to pass the name of the company, the chart template to follow, the no. of digits to generate the code for your accounts and Bank account, currency to create Journals. Thus,the pure copy of chart Template is generated.\n" +" This is the same wizard that runs from Financial Management/Configuration/Financial Accounting/Financial Accounts/Generate Chart of Accounts from a Chart Template." +msgstr "" + diff --git a/addons/l10n_bo/l10n_bo_chart.xml b/addons/l10n_bo/l10n_bo_chart.xml new file mode 100644 index 00000000000..dc9e9598909 --- /dev/null +++ b/addons/l10n_bo/l10n_bo_chart.xml @@ -0,0 +1,257 @@ + + + + + + + noneviewVistanone + + balanceBG_ACC_10Caja y Bancosasset + detailBG_ACC_20Inversiones al Valor Razonable y Disponibleasset + unreconciledBG_ACC_30Créditos o Exigiblesasset + unreconciledBG_ACC_50Otros Créditosasset + balanceBG_ACC_60Bienes de Cambio o Realizablezasset + + detailBG_ACN_10Otros Creditos no Corrientesasset + detailBG_ACN_40Inversiones Permanentesasset + balanceBG_ACN_50Bienes de Usoasset + + unreconciledBG_PAC_10Deudas Bancarias y Financierasliability + unreconciledBG_PAC_20Cuentas por Pagarliability + unreconciledBG_PAC_35Deudas del Personal e Instituciones de Seguridad Socialliability + unreconciledBG_PAC_40Deudas Fiscalesliability + unreconciledBG_PAC_45Otros Pasivosliability + + unreconciledBG_PAN_10Deudas Bancarias y Financieras a Largo Plazoliability + unreconciledBG_PAN_20Otros Pasivos a Largo Plazoliability + unreconciledBG_PAN_40Previsiones y Provisionesliability + + balanceBG_PTN_10Patrimonio o Capital Contableliability + + noneEGP_FU_010Ventas de Mercaderia en Generalincome + noneEGP_FU_030Costo de Ventas de Mercaderíasexpense + noneEGP_FU_040Gastos de Administraciónexpense + noneEGP_FU_050Gastos de Distribución o Ventasexpense + unreconciledEGP_FU_060Ingresos Financierosincome + noneEGP_FU_070Gastos Financierosexpense + noneEGP_FU_080Otros Ingresosincome + noneEGP_FU_090Otros Gastosexpense + noneEGP_FU_120Tributosexpense + noneEGP_FU_160Ganancia (Pérdida) Neta del Ejercicioincome + + noneEGP_NA_010Compras de Bienes de Usonone + + noneORDCuentas de Ordennone + + noneNCLASIFICADOCuentas No Clasificadasnone + + + + + Bolivia + pcge + + view + + + Cuentas Patrimoniales + .1.BG + + + view + + + ACTIVO1view + Caja y Bancos11view + Caja y Bancos - Caja111view + Caja y bancos - Caja / efectivo en BOB111.001liquidity + Caja y Bancos - Moneda Extranjera112view + Caja y bancos - Caja / efectivo USD112.001liquidity + Caja y Bancos - Fondos fijos113view + Caja y ...- Fondos fijos / caja chica 01 BOB113.001liquidity + Caja y Bancos - Cuentas Corrientes114view + Caja y Bancos.../ BCO. CTA CTE BOB114.001liquidity + Caja y bancos - Valores a Depositar 115other + Caja y bancos - Recaudaciones a Depositar 116other + Créditos fiscal IVA12view + Créditos fiscal IVA / Deudores por Ventas121receivable1 + Créditos fiscal IVA / Deudores Morosos122receivable1 + Créditos fiscal IVA / Deudores en Gestión Judicial123receivable + Créditos fiscal IVA / Deudores Varios124receivable + Créditos fiscal IVA / (-) Previsión para Ds. Incobrables125receivable1 + Otros Créditos13view + Otros Créditos / Préstamos otorgados131receivable + Otros Créditos / Anticipos a Proveedores132receivable + Otros Créditos / Anticipo de Impuestos133receivable + Otros Créditos / Anticipo al Personal134receivable + Otros Créditos / Alquileres Pagados por Adelantado135receivable + Otros Créditos / Intereses Pagados por Adelantado136receivable + Otros Créditos / Accionistas137receivable + Otros Créditos / (-) Previsión para Descuentos138receivable + Otros Créditos / (-) Intereses (+) a Devengar139receivable + Inversiones14view + Inversiones / Acciones Transitorias141other + Inversiones / Acciones Permanentes142other + Inversiones / Títulos Públicos143other + Inversiones / (-) Previsión para Devalorización de Acciones144other + Bienes de Cambio o Realizables15view + Bienes de Cambio - Mercaderías151view + Bienes de Cambio - Existencia de Mercaderías / Categoria de productos 01151.01other + Bienes de Cambio - Mercaderías en Tránsito152other + Materias primas153other + Productos en Curso de Elaboración154other + Productos Elaborados155other + Materiales Varios 156other + (-) Desvalorización de Existencias157other + Bienes de Uso16view + Bienes de Uso / Inmuebles161other + Bienes de Uso / Maquinaria162other + Bienes de Uso / Equipos163other + Bienes de Uso / Vehículos164other + Bienes de Uso / (-) Depreciación Acumulada Bienes de Uso165other + Bienes Intangibles17view + Bienes Intangibles / Marcas de Fábrica171other + Bienes Intangibles / Concesiones y Franquicias172other + Bienes Intangibles / Patentes de Invención173other + Bienes Intangibles / (-) Amortización Acumulada174other + PASIVO2view + Deudas Comerciales21view + Deudas Comerciales / Proveedores211payable1 + Deudas Comerciales / Anticipos de Clientes212payable1 + Deudas Comerciales / (-) Intereses a Devengar por Compras al Crédito213payable1 + Deudas Bancarias y Financieras22view + Deudas Bancarias y Financieras / Adelantos en Cuenta Corriente221payable + Deudas Bancarias y Financieras / Prestamos222payable + Deudas Bancarias y Financieras / Obligaciones a Pagar223payable + Deudas Bancarias y Financieras / Intereses a Pagar224payable + Deudas Bancarias y Financieras / Letras de Cambio Emitidos225payable + Deudas Fiscales23view + Deudas Fiscales / IVA a Pagar231other + Deudas Fiscales / Impuesto a las Transacciones IT a Pagar232other + Deudas Fiscales / Impuesto a las Utilidades de Empresas IUE a Pagar233other + Deudas Sociales24view + Deudas Sociales / Sueldos a Pagar241payable + Deudas Sociales / Cargas Sociales a Pagar242payable + Deudas Sociales / Provisión para Sueldo Anual Complementario243payable + Deudas Sociales / Retenciones a Depositar244payable + Otras Deudas25view + Otras Deudas / Acreedores Varios251payable + Otras Deudas / Dividendos a Pagar252payable + Otras Deudas / Cobros por Adelantado253payable + Otras Deudas / Honorarios Directores y Síndicos a Pagar254payable + Previsiones26view + Previsiones / Previsión Indemnización por Despidos261payable + Previsiones / Previsión para juicios Pendientes262payable + Previsiones / Previsión para Garantías por Service263payable + PATRIMONIO NETO3view + Capital Social31view + Capital social / Capital Suscripto311other + Capital social / Acciones en Circulación312other + Capital social / Dividendos a Distribuir en Acciones313other + Capital social / (-) Descuento de Emisión de Acciones314other + Aportes No Capitalizados32view + Aportes No Capitalizados / Primas de Emsión321other + Aportes No Capitalizados / Aportes Irrevocables Futura Suscripción de Acciones322other + Ajustes al Patrimonio33view + Ajustes al Patrimonio / Revaluo Técnico de Bienes de Uso331other + Ganancias Reservadas34view + Reserva Legal341other + Reserva Estatutaria342other + Reserva Facultativa343other + Reserva para Renovación de Bienes de Uso344other + Resultados No Asignados35view + Resultados Acumulados351other + Resultados Acumulados del Ejercicio Anterior352other + Ganancias y Pérdidas del Ejercicio353other + Resultado del Ejercicio354other + + + Cuentas de Resultado + .2.GP + + + view + + + RESULTADOS POSITIVOS4view + Resultados Positivos Ordinarios41view + Ventas411view + Ventas - Categoria de productos 01411.01other + Intereses gananados, obtenidos, percibidos412other + Alquileres gananados, obtenidos, percibidos413other + Comisiones gananados, obtenidos, percibidos414other + Descuentos gananados, obtenidos, percibidos415other + Renta de Títulos Públicos416other + Honorarios gananados, obtenidos, percibidos417other + Ganancia Venta de Acciones418other + Resultados Positivos Extraordinarios42view + Recupero de Rezagos421other + Recupero de Deudores Incobrables422other + Ganancia Venta de Bienes de Uso423other + Donaciones obtenidas, ganandas, percibidas424other + Ganancia Venta Inversiones Permanentes425other + RESULTADOS NEGATIVOS5view + Resultados Negativos Ordinarios51view + Costo de Mercaderías Vendidas511view + Costo de Mercaderías Vendidas - Categoria de productos 01511.01other + Gastos en Depreciación de Bienes de Uso512other + Gastos en Amortización513other + Gastos en Sueldos y Jormales514other + Gastos en Cargas Sociales515other + Gastos en Impuestos516other + Gastos Bancarios517other + Gastos en Servicios Públicos518other + Gastos de Publicidad y Propaganda519other + Resultados Negativos Extraordinarios52view + Gastos en Siniestros521other + Donaciones Cedidas, Otorgadas522other + Pérdida Venta Bienes de Uso523other + + + Cuentas de Movimiento + .3.CC + + + view + + + Compras61view + Compras - Categoria de productos 0161.01other + Costos de Producción62other + Gastos de Administración63other + Gastos de Comercialización64other + + + Cuentas de Orden + .4.CO + + + view + + + CUENTAS DE ORDEN DEUDORAS71view + Mercaderias Recibidas en Consignación711other + Depósito de Valores Recibos en Garantía712other + Garantias Otorgadas713other + Documentos Descontados714other + Documentos Endosados715other + CUENTAS DE ORDEN ACREEDORAS72view + Comitente por Mercaderias Recibidas en Consignación721other + Acreedor por Garantías Otorgadas722other + Acreedor por Documentos Descontados723other + + + Bolivia - Plan de Cuentas + + + + + + + + + + + + + diff --git a/addons/l10n_bo/l10n_bo_wizard.xml b/addons/l10n_bo/l10n_bo_wizard.xml new file mode 100644 index 00000000000..4de61247b90 --- /dev/null +++ b/addons/l10n_bo/l10n_bo_wizard.xml @@ -0,0 +1,10 @@ + + + + + + open + + + + diff --git a/addons/l10n_bo/static/src/img/icon.png b/addons/l10n_bo/static/src/img/icon.png new file mode 100644 index 00000000000..aaf8ad438b2 Binary files /dev/null and b/addons/l10n_bo/static/src/img/icon.png differ diff --git a/addons/l10n_fr/fr_tax.xml b/addons/l10n_fr/fr_tax.xml index 36c5feb47b6..7cd3a36f54a 100644 --- a/addons/l10n_fr/fr_tax.xml +++ b/addons/l10n_fr/fr_tax.xml @@ -11,7 +11,7 @@ TVA collectée (vente) 19,6% - TVA-VT-19.6 + 19.6 percent @@ -26,14 +26,14 @@ - + sale TVA collectée (vente) 8,5% - TVA-VT-8.5 + 8.5 percent @@ -55,7 +55,7 @@ TVA collectée (vente) 7,0% - TVA-VT-7.0 + 7.0 percent @@ -77,7 +77,7 @@ TVA collectée (vente) 5,5% - TVA-VT-5.5 + 5.5 percent @@ -99,7 +99,7 @@ TVA collectée (vente) 2,1% - TVA-VT-2.1 + 2.1 percent @@ -122,8 +122,8 @@ - TVA acquittée (achat) 19,6% - TVA-HA-19.6 + TVA déductible (achat) 19,6% + ACH-19.6 percent @@ -138,14 +138,14 @@ - + purchase - TVA acquittée (achat) 8,5% - TVA-HA-8.5 + TVA déductible (achat) 8,5% + ACH-8.5 percent @@ -166,8 +166,8 @@ - TVA acquittée (achat) 7,0% - TVA-HA-7.0 + TVA déductible (achat) 7,0% + ACH-7.0 percent @@ -188,8 +188,8 @@ - TVA acquittée (achat) 5,5% - TVA-HA-5.5 + TVA déductible (achat) 5,5% + ACH-5.5 percent @@ -210,8 +210,8 @@ - TVA acquittée (achat) 2,1% - TVA-HA-2.1 + TVA déductible (achat) 2,1% + ACH-2.1 percent @@ -232,10 +232,10 @@ - + - TVA acquittée (achat) 19,6% inclue - TVA-HA-19.6-inclue + TVA déductible (achat) 19,6% TTC + ACH-19.6-TTC percent @@ -255,10 +255,10 @@ purchase - + - TVA acquittée (achat) 8,5% inclue - TVA-HA-8.5-inclue + TVA déductible (achat) 8,5% TTC + ACH-8.5-TTC percent @@ -278,10 +278,10 @@ purchase - + - TVA acquittée (achat) 7,0% inclue - TVA-HA-7.0-inclue + TVA déductible (achat) 7,0% TTC + ACH-7.0-TTC percent @@ -301,10 +301,10 @@ purchase - + - TVA acquittée (achat) 5,5% inclue - TVA-HA-5.5-inclue + TVA déductible (achat) 5,5% TTC + ACH-5.5-TTC percent @@ -324,10 +324,10 @@ purchase - + - TVA acquittée (achat) 2,1% inclue - TVA-HA-2.1-inclue + TVA déductible (achat) 2,1% TTC + ACH-2.1-TTC percent @@ -349,11 +349,11 @@ - + - TVA immobilisation (achat) 19,6% - TVA-immo-19.6 + TVA déd./immobilisation (achat) 19,6% + IMMO-19.6 percent @@ -374,8 +374,8 @@ - TVA immobilisation (achat) 8,5% - TVA-immo-8.5 + TVA déd./immobilisation (achat) 8,5% + IMMO-8.5 percent @@ -396,8 +396,8 @@ - TVA immobilisation (achat) 7,0% - TVA-immo-7.0 + TVA déd./immobilisation (achat) 7,0% + IMMO-7.0 percent @@ -418,8 +418,8 @@ - TVA immobilisation (achat) 5,5% - TVA-immo-5.5 + TVA déd./immobilisation (achat) 5,5% + IMMO-5.5 percent @@ -440,8 +440,8 @@ - TVA immobilisation (achat) 2,1% - TVA-immo-2.1 + TVA déd./immobilisation (achat) 2,1% + IMMO-2.1 percent @@ -464,8 +464,8 @@ - TVA due intracommunautaire (achat) 19,6% - TVA-HA_UE_due-19.6 + TVA due s/ acq. intracommunautaire (achat) 19,6% + ACH_UE_due-19.6 percent @@ -486,8 +486,8 @@ - TVA due intracommunautaire (achat) 8,5% - TVA-HA_UE_due-8.5 + TVA due s/ acq. intracommunautaire (achat) 8,5% + ACH_UE_due-8.5 percent @@ -508,8 +508,8 @@ - TVA due intracommunautaire (achat) 7,0% - TVA-HA_UE_due-7.0 + TVA due s/ acq. intracommunautaire (achat) 7,0% + ACH_UE_due-7.0 percent @@ -530,8 +530,8 @@ - TVA due intracommunautaire (achat) 5,5% - TVA-HA_UE_due-5.5 + TVA due s/ acq. intracommunautaire (achat) 5,5% + ACH_UE_due-5.5 percent @@ -552,8 +552,8 @@ - TVA due intracommunautaire (achat) 2,1% - TVA-HA_UE_due-2.1 + TVA due s/ acq. intracommunautaire (achat) 2,1% + ACH_UE_due-2.1 percent @@ -576,20 +576,16 @@ - TVA déductible intracommunautaire (achat) 19,6% - TVA-HA_UE_déduc-19.6 + TVA déd. s/ acq. intracommunautaire (achat) 19,6% + ACH_UE_ded.-19.6 percent - - - - @@ -598,20 +594,16 @@ - TVA déductible intracommunautaire (achat) 8,5% - TVA-HA_UE_déduc-8.5 + TVA déd. s/ acq. intracommunautaire (achat) 8,5% + ACH_UE_ded.-8.5 percent - - - - @@ -620,20 +612,16 @@ - TVA déductible intracommunautaire (achat) 7,0% - TVA-HA_UE_déduc-7.0 + TVA déd. s/ acq. intracommunautaire (achat) 7,0% + ACH_UE_ded.-7.0 percent - - - - @@ -642,20 +630,16 @@ - TVA déductible intracommunautaire (achat) 5,5% - TVA-HA_UE_déduc-5.5 + TVA déd. s/ acq. intracommunautaire (achat) 5,5% + ACH_UE_ded.-5.5 percent - - - - @@ -664,20 +648,16 @@ - TVA déductible intracommunautaire (achat) 2,1% - TVA-HA_UE_déduc-2.1 + TVA déd. s/ acq. intracommunautaire (achat) 2,1% + ACH_UE_ded.-2.1 percent - - - - @@ -689,7 +669,7 @@ TVA 0% autres opérations non imposables (vente) - TVA-VT-autre-0 + EXO-0 percent @@ -707,7 +687,7 @@ TVA 0% export (vente) - TVA-export-0 + EXPORT-0 percent @@ -725,7 +705,7 @@ TVA 0% livraisons intracommunautaires (vente) - TVA-VT-UE-0 + UE-0 percent @@ -743,7 +723,7 @@ TVA 0% import (achat) - TVA-import-0 + IMPORT-0 percent @@ -796,7 +776,7 @@ - + @@ -880,7 +860,7 @@ - + @@ -1056,7 +1036,7 @@ - + diff --git a/addons/l10n_fr/plan_comptable_general.xml b/addons/l10n_fr/plan_comptable_general.xml index 268f4bd6336..c68e0a88a4c 100644 --- a/addons/l10n_fr/plan_comptable_general.xml +++ b/addons/l10n_fr/plan_comptable_general.xml @@ -3581,7 +3581,6 @@ view - @@ -3590,7 +3589,6 @@ other - @@ -3599,7 +3597,6 @@ other - @@ -3608,7 +3605,6 @@ other - @@ -3644,7 +3640,6 @@ view - @@ -3653,7 +3648,6 @@ other - @@ -3671,7 +3665,6 @@ other - @@ -3680,7 +3673,6 @@ other - @@ -3717,7 +3709,6 @@ view - @@ -3726,7 +3717,6 @@ other - @@ -3735,7 +3725,6 @@ other - @@ -3744,7 +3733,6 @@ other - @@ -3762,7 +3750,6 @@ view - diff --git a/addons/l10n_it/data/account.tax.template.csv b/addons/l10n_it/data/account.tax.template.csv index 641f495dd72..4295ff92b26 100644 --- a/addons/l10n_it/data/account.tax.template.csv +++ b/addons/l10n_it/data/account.tax.template.csv @@ -41,11 +41,17 @@ id,description,chart_template_id:id,name,sequence,amount,parent_id:id,child_depe 00a,00a,l10n_it_chart_template_generic,Esente IVA (debito),,0,,False,percent,2601,2601,sale,template_impcode_riscossa_0,template_ivacode_riscossa_0,template_impcode_riscossa_0,template_ivacode_riscossa_0,-1,-1,False,, 00b,00b,l10n_it_chart_template_generic,Esente IVA (credito),,0,,False,percent,1601,1601,purchase,template_impcode_pagata_0,template_ivacode_pagata_0,template_impcode_pagata_0,template_ivacode_pagata_0,,,False,-1,-1 21a INC,21a INC,l10n_it_chart_template_generic,Iva al 21% (debito) INC,,0.21,,False,percent,l10n_it.2601,l10n_it.2601,sale,l10n_it.template_impcode_riscossa_21,l10n_it.template_ivacode_riscossa_21,l10n_it.template_impcode_riscossa_21,l10n_it.template_ivacode_riscossa_21,-1,-1,True,, +21b INC,21b INC,l10n_it_chart_template_generic,Iva al 21% (credito) INC,,0.21,,False,percent,1601,1601,purchase,template_impcode_pagata_21,template_ivacode_pagata_21,template_impcode_pagata_21,template_ivacode_pagata_21,,,True,-1,-1 20a INC,20a INC,l10n_it_chart_template_generic,Iva al 20% (debito) INC,,0.2,,False,percent,l10n_it.2601,l10n_it.2601,sale,l10n_it.template_impcode_riscossa_20,l10n_it.template_ivacode_riscossa_20,l10n_it.template_impcode_riscossa_20,l10n_it.template_ivacode_riscossa_20,-1,-1,True,, +20b INC,20b INC,l10n_it_chart_template_generic,Iva al 20% (credito) INC,,0.2,,False,percent,1601,1601,purchase,template_impcode_pagata_20,template_ivacode_pagata_20,template_impcode_pagata_20,template_ivacode_pagata_20,,,True,-1,-1 10a INC,10a INC,l10n_it_chart_template_generic,Iva al 10% (debito) INC,,0.1,,False,percent,l10n_it.2601,l10n_it.2601,sale,l10n_it.template_impcode_riscossa_10,l10n_it.template_ivacode_riscossa_10,l10n_it.template_impcode_riscossa_10,l10n_it.template_ivacode_riscossa_10,-1,-1,True,, +10b INC,10b INC,l10n_it_chart_template_generic,Iva al 10% (credito) INC,,0.1,,False,percent,1601,1601,purchase,template_impcode_pagata_10,template_ivacode_pagata_10,template_impcode_pagata_10,template_ivacode_pagata_10,,,True,-1,-1 12a INC,12a INC,l10n_it_chart_template_generic,Iva 12% (debito) INC,,0.12,,False,percent,l10n_it.2601,l10n_it.2601,sale,l10n_it.template_impcode_riscossa_12,l10n_it.template_ivacode_riscossa_12,l10n_it.template_impcode_riscossa_12,l10n_it.template_ivacode_riscossa_12,-1,-1,True,, +12b INC,12b INC,l10n_it_chart_template_generic,Iva 12% (credito) INC,,0.12,,False,percent,1601,1601,purchase,template_impcode_pagata_12,template_ivacode_pagata_12,template_impcode_pagata_12,template_ivacode_pagata_12,,,True,-1,-1 22a INC,22a INC,l10n_it_chart_template_generic,Iva 2% (debito) INC,,0.02,,False,percent,l10n_it.2601,l10n_it.2601,sale,l10n_it.template_impcode_riscossa_2,l10n_it.template_ivacode_riscossa_2,l10n_it.template_impcode_riscossa_2,l10n_it.template_ivacode_riscossa_2,-1,-1,True,, +22b INC,22b INC,l10n_it_chart_template_generic,Iva 2% (credito) INC,,0.02,,False,percent,1601,1601,purchase,template_impcode_pagata_2,template_ivacode_pagata_2,template_impcode_pagata_2,template_ivacode_pagata_2,,,True,-1,-1 4a INC,4a INC,l10n_it_chart_template_generic,Iva 4% (debito) INC,,0.04,,False,percent,l10n_it.2601,l10n_it.2601,sale,l10n_it.template_impcode_riscossa_4,l10n_it.template_ivacode_riscossa_4,l10n_it.template_impcode_riscossa_4,l10n_it.template_ivacode_riscossa_4,-1,-1,True,, +4b INC,4b INC,l10n_it_chart_template_generic,Iva 4% (credito) INC,,0.04,,False,percent,1601,1601,purchase,template_impcode_pagata_4,template_ivacode_pagata_4,template_impcode_pagata_4,template_ivacode_pagata_4,,,True,-1,-1 00a INC,00a INC,l10n_it_chart_template_generic,Esente IVA (debito) INC,,0,,False,percent,l10n_it.2601,l10n_it.2601,sale,l10n_it.template_impcode_riscossa_0,l10n_it.template_ivacode_riscossa_0,l10n_it.template_impcode_riscossa_0,l10n_it.template_ivacode_riscossa_0,-1,-1,True,, 2110,2110,l10n_it_chart_template_generic,Iva al 21% detraibile 10%,,0.21,,True,percent,,,purchase,template_impcode_pagata_21det10,,template_impcode_pagata_21det10,,,,False,-1,-1 2110a,2110a,l10n_it_chart_template_generic,Iva al 21% detraibile 10% (D),2,0,2110,False,balance,1601,1601,purchase,,template_ivacode_pagata_21det10,,template_ivacode_pagata_21det10,,,False,, diff --git a/addons/l10n_nl/account_chart_netherlands.xml b/addons/l10n_nl/account_chart_netherlands.xml index 2235dd49ec9..516c88bdcf9 100644 --- a/addons/l10n_nl/account_chart_netherlands.xml +++ b/addons/l10n_nl/account_chart_netherlands.xml @@ -4140,9 +4140,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + sale @@ -4153,11 +4155,13 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + sale @@ -4168,11 +4172,13 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + sale @@ -4184,11 +4190,13 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + sale @@ -4201,9 +4209,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + purchase @@ -4214,9 +4224,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + purchase @@ -4227,23 +4239,27 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + purchase - 15 + 15 BTW af te dragen verlegd (verkopen) 0% BTW verlegd percent - + + + purchase @@ -4254,9 +4270,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + purchase @@ -4268,9 +4286,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + purchase @@ -4281,9 +4301,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + purchase @@ -4294,9 +4316,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + purchase @@ -4308,9 +4332,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + purchase @@ -4321,9 +4347,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + purchase @@ -4338,6 +4366,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4351,6 +4381,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4364,6 +4396,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4375,6 +4409,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4388,6 +4424,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4401,6 +4439,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4413,6 +4453,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4426,6 +4468,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4439,6 +4483,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge 99 + + purchase @@ -4450,9 +4496,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + sale @@ -4463,9 +4511,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + sale @@ -4481,6 +4531,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4494,6 +4546,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge 99 + + purchase @@ -4507,6 +4561,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge 99 + + purchase @@ -4519,6 +4575,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4532,6 +4590,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4545,6 +4605,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4557,6 +4619,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase @@ -4569,6 +4633,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase 99 @@ -4582,6 +4648,8 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge + + purchase 99 @@ -4594,9 +4662,11 @@ TODO rubriek 1c en 1d moeten nog, zijn variabel, dus BTW percentage moet door ge percent - + + + sale diff --git a/addons/l10n_pt/__init__.py b/addons/l10n_pt/__init__.py new file mode 100644 index 00000000000..673024708f5 --- /dev/null +++ b/addons/l10n_pt/__init__.py @@ -0,0 +1,22 @@ +# -*- encoding: utf-8 -*- +############################################################################## +# +# OpenERP, Open Source Management Solution +# Copyright (C) 2012 Thinkopen Solutions, Lda. All Rights Reserved +# http://www.thinkopensolutions.com. +# $Id$ +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU 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 General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . +# +############################################################################## diff --git a/addons/l10n_pt/__openerp__.py b/addons/l10n_pt/__openerp__.py new file mode 100644 index 00000000000..03e3b0e9baa --- /dev/null +++ b/addons/l10n_pt/__openerp__.py @@ -0,0 +1,48 @@ +# -*- coding: utf-8 -*- +############################################################################## +# +# OpenERP, Open Source Management Solution +# Copyright (C) 2012 Thinkopen Solutions, Lda. All Rights Reserved +# http://www.thinkopensolutions.com. +# $Id$ +# +# 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 . +# +############################################################################## + +{ + 'name': 'Portugal - Chart of Accounts', + 'version': '0.011', + 'author': 'ThinkOpen Solutions', + 'website': 'http://www.thinkopensolutions.com/', + 'category': 'Localization/Account Charts', + 'description': 'Plano de contas SNC para Portugal', + 'depends': ['base', + 'base_vat', + 'account', + 'account_chart', + ], + 'init_xml': [], + 'update_xml': ['account_types.xml', + 'account_chart.xml', + 'account_tax_code_template.xml', + 'account_chart_template.xml', + 'fiscal_position_templates.xml', + 'account_taxes.xml', + 'l10n_chart_pt_wizard.xml', + ], + 'demo_xml': [], + 'installable': True, +} + diff --git a/addons/l10n_pt/account_chart.xml b/addons/l10n_pt/account_chart.xml new file mode 100644 index 00000000000..eaf322ab1b8 --- /dev/null +++ b/addons/l10n_pt/account_chart.xml @@ -0,0 +1,3957 @@ + + + + + + SNC Portugal + 0 + view + + + + + 1 + Meios financeiros líquidos + + view + + + + + 11 + Caixa + + other + + + + + 12 + Depósitos à ordem + + other + + + + + 13 + Outros depósitos bancários + + other + + + + + 14 + Outros instrumentos financeiros + + view + + + + + 141 + Derivados + + view + + + + + 1411 + Potencialmente favoráveis + + other + + + + + 1412 + Potencialmente desfavoráveis + + other + + + + + 142 + Instrumentos financeiros detidos para negociação + + view + + + + + 1421 + Activos financeiros + + other + + + + + 1422 + Passivos financeiros + + other + + + + + 143 + Outros activos e passivos financeiros + + view + + + + + 1431 + Outros activos financeiros + + other + + + + + 1432 + Outros passivos financeiros + + other + + + + + 2 + Contas a receber e a pagar + + view + + + + + 21 + Clientes + + view + + + + + 211 + Clientes c/c + + view + + + + + 2111 + Clientes gerais + + receivable + + + + + 2112 + Clientes empresa mãe + + receivable + + + + + 2113 + Clientes empresas subsidiárias + + receivable + + + + + 2114 + Clientes empresas associadas + + receivable + + + + + 2115 + Clientes empreendimentos conjuntos + + receivable + + + + + 2116 + Clientes outras partes relacionadas + + receivable + + + + + 212 + Clientes títulos a receber + + view + + + + + 2121 + Clientes gerais + + receivable + + + + + 2122 + Clientes empresa mãe + + receivable + + + + + 2123 + Clientes empresas subsidiárias + + receivable + + + + + 2124 + Clientes empresas associadas + + receivable + + + + + 2125 + Clientes empreendimentos conjuntos + + receivable + + + + + 2126 + Clientes outras partes relacionadas + + receivable + + + + + 218 + Adiantamentos de clientes + + receivable + + + + + 219 + Perdas por imparidade acumuladas + + receivable + + + + + 22 + Fornecedores + + view + + + + + 221 + Fornecedores c/c + + view + + + + + 2211 + Fornecedores gerais + + payable + + + + + 2212 + Fornecedores empresa mãe + + payable + + + + + 2213 + Fornecedores empresas subsidiárias + + payable + + + + + 2214 + Fornecedores empresas associadas + + payable + + + + + 2215 + Fornecedores empreendimentos conjuntos + + payable + + + + + 2216 + Fornecedores outras partes relacionadas + + payable + + + + + 222 + Fornecedores títulos a pagar + + view + + + + + 2221 + Fornecedores gerais + + payable + + + + + 2222 + Fornecedores empresa mãe + + payable + + + + + 2223 + Fornecedores empresas subsidiárias + + payable + + + + + 2224 + Fornecedores empresas associadas + + payable + + + + + 2225 + Fornecedores empreendimentos conjuntos + + payable + + + + + 2226 + Fornecedores outras partes relacionadas + + payable + + + + + 225 + Facturas em recepção e conferência + + other + + + + + 228 + Adiantamentos a fornecedores + + view + + + + + 229 + Perdas por imparidade acumuladas + + other + + + + + 23 + Pessoal + + view + + + + + 231 + Remunerações a pagar + + view + + + + + 2311 + Aos órgãos sociais + + other + + + + + 2312 + Ao pessoal + + other + + + + + 232 + Adiantamentos + + view + + + + + 2321 + Aos órgãos sociais + + other + + + + + 2322 + Ao pessoal + + other + + + + + 237 + Cauções + + view + + + + + 2371 + Dos órgãos sociais + + other + + + + + 2372 + Do pessoal + + other + + + + + 238 + Outras operações + + view + + + + + 2381 + Com os órgãos sociais + + other + + + + + 2382 + Com o pessoal + + view + + + + + 239 + Perdas por imparidade acumuladas + + other + + + + + 24 + Estado e outros entes públicos + + view + + + + + 241 + Imposto sobre o rendimento + + view + + + + + 242 + Retenção de impostos sobre rendimentos + + view + + + + + 243 + Imposto sobre o valor acrescentado + + view + + + + + 2431 + Iva suportado + + other + + + + + 2432 + Iva dedutível + + other + + + + + 2433 + Iva liquidado + + other + + + + + 2434 + Iva regularizações + + other + + + + + 2435 + Iva apuramento + + other + + + + + 2436 + Iva a pagar + + other + + + + + 2437 + Iva a recuperar + + other + + + + + 2438 + Iva reembolsos pedidos + + other + + + + + 2439 + Iva liquidações oficiosas + + other + + + + + 244 + Outros impostos + + other + + + + + 245 + Contribuições para a segurança social + + other + + + + + 246 + Tributos das autarquias locais + + other + + + + + 248 + Outras tributações + + other + + + + + 25 + Financiamentos obtidos + + view + + + + + 251 + Instituições de crédito e sociedades financeiras + + view + + + + + 2511 + Empréstimos bancários + + other + + + + + 2512 + Descobertos bancários + + other + + + + + 2513 + Locações financeiras + + other + + + + + 252 + Mercado de valores mobiliários + + view + + + + + 2521 + Empréstimos por obrigações + + other + + + + + 253 + Participantes de capital + + view + + + + + 2531 + Empresa mãe suprimentos e outros mútuos + + other + + + + + 2532 + Outros participantes suprimentos e outros mútuos + + other + + + + + 254 + Subsidiárias, associadas e empreendimentos conjuntos + + other + + + + + 258 + Outros financiadores + + other + + + + + 26 + Accionistas/sócios + + view + + + + + 261 + Accionistas c. subscrição + + other + + + + + 262 + Quotas não liberadas + + other + + + + + 263 + Adiantamentos por conta de lucros + + other + + + + + 264 + Resultados atribuídos + + other + + + + + 265 + Lucros disponíveis + + other + + + + + 266 + Empréstimos concedidos empresa mãe + + other + + + + + 268 + Outras operações + + other + + + + + 269 + Perdas por imparidade acumuladas + + other + + + + + 27 + Outras contas a receber e a pagar + + view + + + + + 271 + Fornecedores de investimentos + + view + + + + + 2711 + Fornecedores de investimentos contas gerais + + other + + + + + 2712 + Facturas em recepção e conferência + + other + + + + + 2713 + Adiantamentos a fornecedores de investimentos + + other + + + + + 272 + Devedores e credores por acréscimos + + view + + + + + 2721 + Devedores por acréscimo de rendimentos + + other + + + + + 2722 + Credores por acréscimos de gastos + + other + + + + + 273 + Benefícios pós emprego + + other + + + + + 274 + Impostos diferidos + + view + + + + + 2741 + Activos por impostos diferidos + + other + + + + + 2742 + Passivos por impostos diferidos + + other + + + + + 275 + Credores por subscrições não liberadas + + other + + + + + 276 + Adiantamentos por conta de vendas + + other + + + + + 278 + Outros devedores e credores + + other + + + + + 279 + Perdas por imparidade acumuladas + + other + + + + + 28 + Diferimentos + + view + + + + + 281 + Gastos a reconhecer + + other + + + + + 282 + Rendimentos a reconhecer + + other + + + + + 29 + Provisões + + view + + + + + 291 + Impostos + + other + + + + + 292 + Garantias a clientes + + other + + + + + 293 + Processos judiciais em curso + + other + + + + + 294 + Acidentes de trabalho e doenças profissionais + + other + + + + + 295 + Matérias ambientais + + other + + + + + 296 + Contratos onerosos + + other + + + + + 297 + Reestruturação + + other + + + + + 298 + Outras provisões + + other + + + + + 3 + Inventários e activos biológicos + + view + + + + + 31 + Compras + + view + + + + + 311 + Mercadorias + + other + + + + + 312 + Matérias primas, subsidiárias e de consumo + + other + + + + + 313 + Activos biológicos + + other + + + + + 317 + Devoluções de compras + + other + + + + + 318 + Descontos e abatimentos em compras + + other + + + + + 32 + Mercadorias + + view + + + + + 325 + Mercadorias em trânsito + + other + + + + + 326 + Mercadorias em poder de terceiros + + other + + + + + 329 + Perdas por imparidade acumuladas + + other + + + + + 33 + Matérias primas, subsidiárias e de consumo + + view + + + + + 331 + Matérias primas + + other + + + + + 332 + Matérias subsidiárias + + other + + + + + 333 + Embalagens + + other + + + + + 334 + Materiais diversos + + other + + + + + 335 + Matérias em trânsito + + other + + + + + 339 + Perdas por imparidade acumuladas + + other + + + + + 34 + Produtos acabados e intermédios + + view + + + + + 346 + Produtos em poder de terceiros + + other + + + + + 349 + Perdas por imparidade acumuladas + + other + + + + + 35 + Subprodutos, desperdícios, resíduos e refugos + + view + + + + + 351 + Subprodutos + + other + + + + + 352 + Desperdícios, resíduos e refugos + + other + + + + + 359 + Perdas por imparidade acumuladas + + other + + + + + 36 + Produtos e trabalhos em curso + + other + + + + + 37 + Activos biológicos + + view + + + + + 371 + Consumíveis + + view + + + + + 3711 + Animais + + other + + + + + 3712 + Plantas + + other + + + + + 372 + De produção + + view + + + + + 3721 + Animais + + other + + + + + 3722 + Plantas + + other + + + + + 38 + Reclassificação e regular. de invent. e activos biológ. + + view + + + + + 382 + Mercadorias + + other + + + + + 383 + Matérias primas, subsidiárias e de consumo + + other + + + + + 384 + Produtos acabados e intermédios + + other + + + + + 385 + Subprodutos, desperdícios, resíduos e refugos + + other + + + + + 386 + Produtos e trabalhos em curso + + other + + + + + 387 + Activos biológicos + + other + + + + + 39 + Adiantamentos por conta de compras + + other + + + + + 4 + Investimentos + + view + + + + + 41 + Investimentos financeiros + + view + + + + + 411 + Investimentos em subsidiárias + + view + + + + + 4111 + Participações de capital método da equiv. patrimonial + + other + + + + + 4112 + Participações de capital outros métodos + + other + + + + + 4113 + Empréstimos concedidos + + other + + + + + 412 + Investimentos em associadas + + view + + + + + 4121 + Participações de capital método da equiv. patrimonial + + other + + + + + 4122 + Participações de capital outros métodos + + other + + + + + 4123 + Empréstimos concedidos + + other + + + + + 413 + Investimentos em entidades conjuntamente controladas + + view + + + + + 4131 + Participações de capital método da equiv. patrimonial + + other + + + + + 4132 + Participações de capital outros métodos + + other + + + + + 4133 + Empréstimos concedidos + + other + + + + + 414 + Investimentos noutras empresas + + view + + + + + 4141 + Participações de capital + + other + + + + + 4142 + Empréstimos concedidos + + other + + + + + 415 + Outros investimentos financeiros + + view + + + + + 4151 + Detidos até à maturidade + + other + + + + + 4158 + Acções da sgm (6500x1,00) + + other + + + + + 419 + Perdas por imparidade acumuladas + + other + + + + + 42 + Propriedades de investimento + + view + + + + + 421 + Terrenos e recursos naturais + + other + + + + + 422 + Edifícios e outras construções + + other + + + + + 426 + Outras propriedades de investimento + + other + + + + + 428 + Depreciações acumuladas + + other + + + + + 429 + Perdas por imparidade acumuladas + + other + + + + + 43 + Activo fixos tangíveis + + view + + + + + 431 + Terrenos e recursos naturais + + other + + + + + 432 + Edifícios e outras construções + + other + + + + + 433 + Equipamento básico + + other + + + + + 434 + Equipamento de transporte + + other + + + + + 435 + Equipamento administrativo + + other + + + + + 436 + Equipamentos biológicos + + other + + + + + 437 + Outros activos fixos tangíveis + + other + + + + + 438 + Depreciações acumuladas + + other + + + + + 439 + Perdas por imparidade acumuladas + + other + + + + + 44 + Activos intangíveis + + view + + + + + 441 + Goodwill + + other + + + + + 442 + Projectos de desenvolvimento + + other + + + + + 443 + Programas de computador + + other + + + + + 444 + Propriedade industrial + + other + + + + + 446 + Outros activos intangíveis + + other + + + + + 448 + Depreciações acumuladas + + other + + + + + 449 + Perdas por imparidade acumuladas + + other + + + + + 45 + Investimentos em curso + + view + + + + + 451 + Investimentos financeiros em curso + + other + + + + + 452 + Propriedades de investimento em curso + + other + + + + + 453 + Activos fixos tangíveis em curso + + other + + + + + 454 + Activos intangíveis em curso + + other + + + + + 455 + Adiantamentos por conta de investimentos + + other + + + + + 459 + Perdas por imparidade acumuladas + + other + + + + + 46 + Activos não correntes detidos para venda + + view + + + + + 469 + Perdas por imparidade acumuladas + + other + + + + + 5 + Capital, reservas e resultados transitados + + view + + + + + 51 + Capital + + other + + + + + 52 + Acções (quotas) próprias + + view + + + + + 521 + Valor nominal + + other + + + + + 522 + Descontos e prémios + + other + + + + + 53 + Outros instrumentos de capital próprio + + other + + + + + 54 + Prémios de emissão + + other + + + + + 55 + Reservas + + view + + + + + 551 + Reservas legais + + other + + + + + 552 + Outras reservas + + other + + + + + 56 + Resultados transitados + + other + + + + + 57 + Ajustamentos em activos financeiros + + view + + + + + 571 + Relacionados com o método da equivalência patrimonial + + view + + + + + 5711 + Ajustamentos de transição + + other + + + + + 5712 + Lucros não atribuídos + + other + + + + + 5713 + Decorrentes de outras variações nos capitais próprios d + + other + + + + + 579 + Outros + + other + + + + + 58 + Excedentes de revalor. de activos fixos tangíveis e int + + view + + + + + 581 + Reavaliações decorrentes de diplomas legais + + view + + + + + 5811 + Antes de imposto sobre o rendimento + + other + + + + + 5812 + Impostos diferidos + + other + + + + + 589 + Outros excedentes + + view + + + + + 5891 + Antes de imposto sobre o rendimento + + other + + + + + 5892 + Impostos diferidos + + other + + + + + 59 + Outras variações no capital próprio + + view + + + + + 591 + Diferenças de conversão de demonstrações financeiras + + other + + + + + 592 + Ajustamentos por impostos diferidos + + other + + + + + 593 + Subsídios + + other + + + + + 594 + Doações + + other + + + + + 599 + Outras + + other + + + + + 6 + Gastos + + view + + + + + 61 + Custo das mercadorias vendidas e matérias consumidas + + view + + + + + 611 + Mercadorias + + other + + + + + 612 + Matérias primas, subsidiárias e de consumo + + other + + + + + 613 + Activos biológicos (compras) + + other + + + + + 62 + Fornecimentos e serviços externos + + view + + + + + 621 + Subcontratos + + other + + + + + 622 + Trabalhos especializados + + view + + + + + 6221 + Trabalhos especializados + + other + + + + + 6222 + Publicidade e propaganda + + other + + + + + 6223 + Vigilância e segurança + + other + + + + + 6224 + Honorários + + other + + + + + 6225 + Comissões + + other + + + + + 6226 + Conservação e reparação + + other + + + + + 6228 + Outros + + other + + + + + 623 + Materiais + + view + + + + + 6231 + Ferramentas e utensílios de desgaste rápido + + other + + + + + 6232 + Livros de documentação técnica + + other + + + + + 6233 + Material de escritório + + other + + + + + 6234 + Artigos de oferta + + other + + + + + 6238 + Outros + + other + + + + + 624 + Energia e fluídos + + view + + + + + 6241 + Electricidade + + other + + + + + 6242 + Combustíveis + + other + + + + + 6243 + Água + + other + + + + + 6248 + Outros + + other + + + + + 625 + Deslocações, estadas e transportes + + view + + + + + 6251 + Deslocações e estadas + + other + + + + + 6252 + Transporte de pessoal + + other + + + + + 6253 + Transportes de mercadorias + + other + + + + + 6258 + Outros + + other + + + + + 626 + Serviços diversos + + view + + + + + 6261 + Rendas e alugueres + + other + + + + + 6262 + Comunicação + + other + + + + + 6263 + Seguros + + other + + + + + 6264 + Royalties + + other + + + + + 6265 + Contencioso e notariado + + other + + + + + 6266 + Despesas de representação + + other + + + + + 6267 + Limpeza, higiene e conforto + + other + + + + + 6268 + Outros serviços + + other + + + + + 63 + Gastos com o pessoal + + view + + + + + 631 + Remunerações dos órgãos sociais + + other + + + + + 632 + Remunerações do pessoal + + other + + + + + 633 + Benefícios pós emprego + + view + + + + + 6331 + Prémios para pensões + + other + + + + + 6332 + Outros benefícios + + other + + + + + 634 + Indemnizações + + other + + + + + 635 + Encargos sobre remunerações + + other + + + + + 636 + Seguros de acidentes no trabalho e doenças profissionais + + other + + + + + 637 + Gastos de acção social + + other + + + + + 638 + Outros gastos com o pessoal + + other + + + + + 64 + Gastos de depreciação e de amortização + + view + + + + + 641 + Propriedades de investimento + + other + + + + + 642 + Activos fixos tangíveis + + other + + + + + 643 + Activos intangíveis + + other + + + + + 65 + Perdas por imparidade + + view + + + + + 651 + Em dívidas a receber + + view + + + + + 6511 + Clientes + + other + + + + + 6512 + Outros devedores + + other + + + + + 652 + Em inventários + + other + + + + + 653 + Em investimentos financeiros + + other + + + + + 654 + Em propriedades de investimento + + other + + + + + 655 + Em activos fixos tangíveis + + other + + + + + 656 + Em activos intangíveis + + other + + + + + 657 + Em investimentos em curso + + other + + + + + 658 + Em activos não correntes detidos para venda + + other + + + + + 66 + Perdas por reduções de justo valor + + view + + + + + 661 + Em instrumentos financeiros + + other + + + + + 662 + Em investimentos financeiros + + other + + + + + 663 + Em propriedades de investimento + + other + + + + + 664 + Em activos biológicos + + other + + + + + 67 + Provisões do período + + view + + + + + 671 + Impostos + + other + + + + + 672 + Garantias a clientes + + other + + + + + 673 + Processos judiciais em curso + + other + + + + + 674 + Acidentes de trabalho e doenças profissionais + + other + + + + + 675 + Matérias ambientais + + other + + + + + 676 + Contratos onerosos + + other + + + + + 677 + Reestruturação + + other + + + + + 678 + Outras provisões + + other + + + + + 68 + Outros gastos e perdas + + view + + + + + 681 + Impostos + + view + + + + + 6811 + Impostos directos + + other + + + + + 6812 + Impostos indirectos + + other + + + + + 6813 + Taxas + + other + + + + + 682 + Descontos de pronto pagamento concedidos + + other + + + + + 683 + Dívidas incobráveis + + other + + + + + 684 + Perdas em inventários + + view + + + + + 6841 + Sinistros + + other + + + + + 6842 + Quebras + + other + + + + + 6848 + Outras perdas + + other + + + + + 685 + Gastos e perdas em subsid. , assoc. e empreend. conjuntos + + view + + + + + 6851 + Cobertura de prejuízos + + other + + + + + 6852 + Aplicação do método da equivalência patrimonial + + other + + + + + 6853 + Alienações + + other + + + + + 6858 + Outros gastos e perdas + + other + + + + + 686 + Gastos e perdas nos restantes investimentos financeiros + + view + + + + + 6861 + Cobertura de prejuízos + + other + + + + + 6862 + Alienações + + other + + + + + 6868 + Outros gastos e perdas + + other + + + + + 687 + Gastos e perdas em investimentos não financeiros + + view + + + + + 6871 + Alienações + + other + + + + + 6872 + Sinistros + + other + + + + + 6873 + Abates + + other + + + + + 6874 + Gastos em propriedades de investimento + + other + + + + + 6878 + Outros gastos e perdas + + other + + + + + 688 + Outros + + view + + + + + 6881 + Correcções relativas a períodos anteriores + + other + + + + + 6882 + Donativos + + other + + + + + 6883 + Quotizações + + other + + + + + 6884 + Ofertas e amostras de inventários + + other + + + + + 6885 + Insuficiência da estimativa para impostos + + other + + + + + 6886 + Perdas em instrumentos financeiros + + other + + + + + 6888 + Outros não especificados + + other + + + + + 69 + Gastos e perdas de financiamento + + view + + + + + 691 + Juros suportados + + view + + + + + 6911 + Juros de financiamento obtidos + + other + + + + + 6918 + Outros juros + + other + + + + + 692 + Diferenças de câmbio desfavoráveis + + view + + + + + 6921 + Relativos a financiamentos obtidos + + other + + + + + 6928 + Outras + + other + + + + + 698 + Outros gastos e perdas de financiamento + + view + + + + + 6981 + Relativos a financiamentos obtidos + + other + + + + + 6988 + Outros + + other + + + + + 7 + Rendimentos + + view + + + + + 71 + Vendas + + view + + + + + 711 + Mercadoria + + other + + + + + 712 + Produtos acabados e intermédios + + other + + + + + 713 + Subprodutos, desperdícios, resíduos e refugos + + other + + + + + 714 + Activos biológicos + + other + + + + + 716 + Iva das vendas com imposto incluído + + other + + + + + 717 + Devoluções de vendas + + other + + + + + 718 + Descontos e abatimentos em vendas + + other + + + + + 72 + Prestações de serviços + + view + + + + + 721 + Serviço a + + other + + + + + 722 + Serviço b + + other + + + + + 725 + Serviços secundários + + other + + + + + 726 + Iva dos serviços com imposto incluído + + other + + + + + 728 + Descontos e abatimentos + + other + + + + + 73 + Variações nos inventários da produção + + view + + + + + 731 + Produtos acabados e intermédios + + other + + + + + 732 + Subprodutos, desperdícios, resíduos e refugos + + other + + + + + 733 + Produtos e trabalhos em curso + + other + + + + + 734 + Activos biológicos + + other + + + + + 74 + Trabalhos para a própria entidade + + view + + + + + 741 + Activos fixos tangíveis + + other + + + + + 742 + Activos intangíveis + + other + + + + + 743 + Propriedades de investimento + + other + + + + + 744 + Activos por gastos diferidos + + other + + + + + 75 + Subsídios à exploração + + view + + + + + 751 + Subsídios do estado e outros entes públicos + + other + + + + + 752 + Subsídios de outras entidades + + other + + + + + 76 + Reversões + + view + + + + + 761 + De depreciações e de amortizações + + view + + + + + 7611 + Propriedades de investimento + + other + + + + + 7612 + Activos fixos tangíveis + + other + + + + + 7613 + Activos intangíveis + + other + + + + + 762 + De perdas por imparidade + + view + + + + + 7621 + Em dívidas a receber + + view + + + + + 76211 + Clientes + + other + + + + + 76212 + Outros devedores + + other + + + + + 7622 + Em inventários + + other + + + + + 7623 + Em investimentos financeiros + + other + + + + + 7624 + Em propriedades de investimento + + other + + + + + 7625 + Em activos fixos tangíveis + + other + + + + + 7626 + Em activos intangíveis + + other + + + + + 7627 + Em investimentos em curso + + other + + + + + 7628 + Em activos não correntes detidos para venda + + other + + + + + 763 + De provisões + + view + + + + + 7631 + Impostos + + other + + + + + 7632 + Garantias a clientes + + other + + + + + 7633 + Processos judiciais em curso + + other + + + + + 7634 + Acidentes no trabalho e doenças profissionais + + other + + + + + 7635 + Matérias ambientais + + other + + + + + 7636 + Contratos onerosos + + other + + + + + 7637 + Reestruturação + + other + + + + + 7638 + Outras provisões + + other + + + + + 77 + Ganhos por aumentos de justo valor + + view + + + + + 771 + Em instrumentos financeiros + + other + + + + + 772 + Em investimentos financeiros + + other + + + + + 773 + Em propriedades de investimento + + other + + + + + 774 + Em activos biológicos + + other + + + + + 78 + Outros rendimentos e ganhos + + view + + + + + 781 + Rendimentos suplementares + + view + + + + + 7811 + Serviços sociais + + other + + + + + 7812 + Aluguer de equipamento + + other + + + + + 7813 + Estudos, projectos e assistência tecnológica + + other + + + + + 7814 + Royalties + + other + + + + + 7815 + Desempenho de cargos sociais noutras empresas + + other + + + + + 7816 + Outros rendimentos suplementares + + other + + + + + 782 + Descontos de pronto pagamento obtidos + + view + + + + + 783 + Recuperação de dívidas a receber + + other + + + + + 784 + Ganhos em inventários + + view + + + + + 7841 + Sinistros + + other + + + + + 7842 + Sobras + + other + + + + + 7848 + Outros ganhos + + other + + + + + 785 + Rendimentos e ganhos em subsidiárias, associadas e empr + + view + + + + + 7851 + Aplicação do método da equivalência patrimonial + + other + + + + + 7852 + Alienações + + other + + + + + 7858 + Outros rendimentos e ganhos + + other + + + + + 786 + Rendimentos e ganhos nos restantes activos financeiros + + view + + + + + 7861 + Diferenças de câmbio favoráveis + + other + + + + + 7862 + Alienações + + other + + + + + 7868 + Outros rendimentos e ganhos + + other + + + + + 787 + Rendimentos e ganhos em investimentos não financeiros + + view + + + + + 7871 + Alienações + + other + + + + + 7872 + Sinistros + + other + + + + + 7873 + Rendas e outros rendimentos em propriedades de investimento + + other + + + + + 7878 + Outros rendimentos e ganhos + + other + + + + + 788 + Outros + + view + + + + + 7881 + Correcções relativas a períodos anteriores + + other + + + + + 7882 + Excesso da estimativa para impostos + + other + + + + + 7883 + Imputação de subsídios para investimentos + + other + + + + + 7884 + Ganhos em outros instrumentos financeiros + + other + + + + + 7885 + Restituição de impostos + + other + + + + + 7888 + Outros não especificados + + other + + + + + 79 + Juros, dividendos e outros rendimentos similares + + view + + + + + 791 + Juros obtidos + + view + + + + + 7911 + De depósitos + + other + + + + + 7912 + De outras aplicações de meios financeiros líquidos + + other + + + + + 7913 + De financiamentos concedidos a associadas e emp. conjun + + other + + + + + 7914 + De financiamentos concedidos a subsidiárias + + other + + + + + 7915 + De financiamentos obtidos + + other + + + + + 7918 + De outros financiamentos obtidos + + other + + + + + 792 + Dividendos obtidos + + view + + + + + 7921 + De aplicações de meios financeiros líquidos + + other + + + + + 7922 + De associadas e empreendimentos conjuntos + + other + + + + + 7923 + De subsidiárias + + other + + + + + 7928 + Outras + + other + + + + + 798 + Outros rendimentos similares + + other + + + + + 8 + Resultados + + view + + + + + 81 + Resultado líquido do período + + view + + + + + 811 + Resultado antes de impostos + + other + + + + + 812 + Impostos sobre o rendimento do período + + view + + + + + 8121 + Imposto estimado para o período + + other + + + + + 8122 + Imposto diferido + + other + + + + + 818 + Resultado líquido + + other + + + + + 89 + Dividendos antecipados + + other + + + + + diff --git a/addons/l10n_pt/account_chart_template.xml b/addons/l10n_pt/account_chart_template.xml new file mode 100644 index 00000000000..25ddc500def --- /dev/null +++ b/addons/l10n_pt/account_chart_template.xml @@ -0,0 +1,22 @@ + + + + + + + + Portugal - Template do Plano de Contas SNC + + + + + + + + + + + + + + \ No newline at end of file diff --git a/addons/l10n_pt/account_tax_code_template.xml b/addons/l10n_pt/account_tax_code_template.xml new file mode 100644 index 00000000000..5172dc6d0a8 --- /dev/null +++ b/addons/l10n_pt/account_tax_code_template.xml @@ -0,0 +1,23 @@ + + + + + + TP + Tax Paid + Tax Paid + + + + + + TP21 + TP21 + TP21 + + + + + + + diff --git a/addons/l10n_pt/account_taxes.xml b/addons/l10n_pt/account_taxes.xml new file mode 100644 index 00000000000..0f26057cc65 --- /dev/null +++ b/addons/l10n_pt/account_taxes.xml @@ -0,0 +1,38 @@ + + + + + + + IVA23 + IVA23 + 0.230000 + percent + + + + + IVA13 + IVA13 + 0.130000 + percent + + + + + IVA6 + IVA6 + 0.060000 + percent + + + + + IVA0 + IVA0 + 0.000000 + percent + + + + diff --git a/addons/l10n_pt/account_types.xml b/addons/l10n_pt/account_types.xml new file mode 100644 index 00000000000..4b8fbbb4514 --- /dev/null +++ b/addons/l10n_pt/account_types.xml @@ -0,0 +1,75 @@ + + + + + + Vista + view + none + + + + A Receber + receivable + income + unreconciled + + + + A Pagar + payable + expense + unreconciled + + + + Receitas + income + income + none + + + + Despesa + expense + expense + none + + + + Impostos + tax + expense + unreconciled + + + + Caixa + cash + asset + balance + + + + Activo + asset + asset + balance + + + + Passivo + equity + liability + balance + + + + Capital e Resultados + liability + liability + balance + + + + diff --git a/addons/l10n_pt/fiscal_position_templates.xml b/addons/l10n_pt/fiscal_position_templates.xml new file mode 100644 index 00000000000..176811d4ae5 --- /dev/null +++ b/addons/l10n_pt/fiscal_position_templates.xml @@ -0,0 +1,23 @@ + + + + + + + + Portugal + + + + + Europa + + + + + Extra-comunitário + + + + + diff --git a/addons/l10n_pt/i18n/pt.po b/addons/l10n_pt/i18n/pt.po new file mode 100644 index 00000000000..0aecddba0ab --- /dev/null +++ b/addons/l10n_pt/i18n/pt.po @@ -0,0 +1,27 @@ +# Translation of OpenERP Server. +# This file contains the translation of the following modules: +# * l10n_pt +# +msgid "" +msgstr "" +"Project-Id-Version: OpenERP Server 6.0.2\n" +"Report-Msgid-Bugs-To: support@openerp.com\n" +"POT-Creation-Date: 2011-10-17 11:13+0000\n" +"PO-Revision-Date: 2011-10-17 11:13+0000\n" +"Last-Translator: Thinkopen Solutions.>\n" +"Language-Team: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: \n" +"Plural-Forms: \n" + +#. module: l10n_pt +#: model:ir.module.module,description:l10n_pt.module_meta_information +msgid "TODO: Descrever função" +msgstr "TODO: Descrever função" + +#. module: l10n_pt +#: model:ir.module.module,shortdesc:l10n_pt.module_meta_information +msgid "Portuguese Localization" +msgstr "Portugal - SNC Chart of Account" + diff --git a/addons/l10n_pt/l10n_chart_pt_wizard.xml b/addons/l10n_pt/l10n_chart_pt_wizard.xml new file mode 100644 index 00000000000..52aaa88fdab --- /dev/null +++ b/addons/l10n_pt/l10n_chart_pt_wizard.xml @@ -0,0 +1,8 @@ + + + + open + + + + diff --git a/addons/l10n_ro/__init__.py b/addons/l10n_ro/__init__.py index 81d74690925..15aa903aea9 100644 --- a/addons/l10n_ro/__init__.py +++ b/addons/l10n_ro/__init__.py @@ -2,8 +2,7 @@ ############################################################################## # # OpenERP, Open Source Management Solution -# Copyright (C) 2009 Fil System (). All Rights Reserved -# $Id$ +# Copyright (C) 2012 TOTAL PC SYSTEMS (). All Rights Reserved # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -19,6 +18,7 @@ # along with this program. If not, see . # ############################################################################## -import res_partner -# vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: +import res_partner + +# vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: diff --git a/addons/l10n_ro/__openerp__.py b/addons/l10n_ro/__openerp__.py index 8026d49c3db..e8bc9b869ad 100644 --- a/addons/l10n_ro/__openerp__.py +++ b/addons/l10n_ro/__openerp__.py @@ -2,8 +2,7 @@ ############################################################################## # # OpenERP, Open Source Management Solution -# Copyright (C) 2009 (). All Rights Reserved -# $Id$ +# Copyright (C) 2012 (). All Rights Reserved # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -20,23 +19,22 @@ # ############################################################################## { - 'name' : 'Romania - Accounting', - 'version' : '1.1', - 'author' : 'filsys', - 'website': 'http://www.filsystem.ro', - 'category' : 'Localization/Account Charts', - 'depends' : ['account_chart', 'base_vat'], - 'description': """ + "name" : "Romania - Accounting", + "version" : "1.0", + "author" : "TOTAL PC SYSTEMS", + "website": "http://www.erpsystems.ro", + "category" : "Localization/Account Charts", + "depends" : ['account','account_chart','base_vat'], + "description": """ This is the module to manage the accounting chart, VAT structure and Registration Number for Romania in OpenERP. ================================================================================================================ Romanian accounting chart and localization. """, - 'demo' : [], - 'data' : ['partner_view.xml','account_tax_code.xml','account_chart.xml','account_tax.xml','l10n_chart_ro_wizard.xml'], - 'auto_install': False, - 'installable': True, - 'images': ['images/config_chart_l10n_ro.jpeg','images/l10n_ro_chart.jpeg'], + "demo_xml" : [], + "update_xml" : ['partner_view.xml','account_tax_code_template.xml','account_chart.xml','account_tax_template.xml','l10n_chart_ro_wizard.xml'], + "auto_install": False, + "installable": True, } # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: diff --git a/addons/l10n_ro/account_chart.xml b/addons/l10n_ro/account_chart.xml index 28347d64090..1e0a9b749f7 100644 --- a/addons/l10n_ro/account_chart.xml +++ b/addons/l10n_ro/account_chart.xml @@ -1,116 +1,47 @@ - + - - - - Receivable - receivable - unreconciled - + + + + Active + active + balance + - - Stocks - stocks - balance - + + Passive + passive + balance + - - Payable - payable - unreconciled - - - - View - view - none - - - - Income - income - none - - - - Expense - expense - none - - - - Tax - tax - unreconciled - - - - Cash - cash - balance - - - - Asset - asset - balance - - - - Equity - equity - liability - balance - - - - Liability - liability - balance - - - - Provisions - provision - balance - - - - Immobilization - immobilization - balance - - - - - + + Bifunctional + bifunctional + balance + + + Special special none - - - Commitment - commitment - balance - - - + + Plan de conturi general 0 view - + Conturi financiare Clasele 1-7 view - + @@ -118,7 +49,7 @@ Conturi in afara bilantului Clasele 8-9 view - + @@ -126,7 +57,7 @@ Conturi de bilant Clasele 1-5 view - + @@ -134,9 +65,8 @@ Conturi de capitaluri Clasa 1 view - + Capitaluri proprii, alte fonduri proprii, imprumuturi si datorii asimilate - @@ -144,7 +74,7 @@ Capital si rezerve 10 view - + @@ -152,7 +82,7 @@ Capital 101 view - + in functie de forma juridica a entitatii se inscrie: capital social, patrimoniul regiei,etc. @@ -161,7 +91,7 @@ Capital subscris nevarsat 1011 other - + @@ -169,7 +99,7 @@ Capital subscris varsat 1012 other - + @@ -177,7 +107,7 @@ Patrimoniul regiei 1015 other - + @@ -185,8 +115,7 @@ Patrimoniul public 1016 other - - + @@ -194,8 +123,7 @@ Prime de capital 104 view - - + @@ -203,7 +131,7 @@ Prime de emisiune 1041 other - + @@ -211,7 +139,7 @@ Prime de fuziune/divizare 1042 other - + @@ -219,7 +147,7 @@ Prime de aport 1043 other - + @@ -227,7 +155,7 @@ Prime de conversie a obligatiunilor in actiuni 1044 other - + @@ -235,8 +163,7 @@ Rezerve din reevaluare 105 other - - + @@ -244,8 +171,7 @@ Rezerve 106 view - - + @@ -253,8 +179,7 @@ Rezerve legale 1061 other - - + @@ -262,8 +187,7 @@ Rezerve statutare sau contractuale 1063 other - - + @@ -271,7 +195,7 @@ Rezerve de valoare justa 1064 other - + Acest cont apare numai in situatiile financiare anuale consolidate @@ -280,17 +204,23 @@ Rezerve reprezentand surplusul realizat din rezerve din reevaluare 1065 other - - + + + Rezerve din diferente de curs valutar in relatie cu investitia neta intr-o entitate straina + 1067 + other + + + + Alte rezerve 1068 other - - + @@ -298,34 +228,33 @@ Rezerve din conversie 107 other - + Acest cont apare numai in situatiile financiare anuale consolidate - Interese minoritare + Interese care nu controleaza 108 view - + Acest cont apare numai in situatiile financiare anuale consolidate - - Interese minoritare - rezultatul exercitiului financiar + Interese care nu controleaza - rezultatul exercitiului financiar 1081 other - + - Interese minoritare - alte capitaluri proprii + Interese care nu controleaza - alte capitaluri proprii 1082 other - + @@ -333,8 +262,7 @@ Actiuni proprii 109 view - - + @@ -342,7 +270,7 @@ Actiuni proprii detinute pe termen scurt 1091 other - + @@ -350,7 +278,7 @@ Actiuni proprii detinute pe termen lung 1092 other - + @@ -358,8 +286,7 @@ REZULTATUL REPORTAT 11 view - - + @@ -367,17 +294,15 @@ Rezultatul reportat 117 view - - + - Rezultatul reportat reprezentand profitul nerepartizat sau pierderea neacoperitã + Rezultatul reportat reprezentand profitul nerepartizat sau pierderea neacoperita 1171 other - - + @@ -385,7 +310,7 @@ Rezultatul reportat provenit din adoptarea pentru prima data a IAS, mai puþin IAS 29 1172 other - + Acest cont apare doar la agentii economici care au aplicat Reglementarile contabile aprobate prin OMFP nr. 94/2001 si panã la inchiderea soldului acestui cont @@ -394,8 +319,7 @@ Rezultatul reportat provenit din corectarea erorilor contabile 1174 other - - + @@ -403,18 +327,16 @@ Rezultatul reportat provenit din trecerea la aplicarea Reglementarilor contabile conforme cu Directiva a patra a Comunitatilor Economice Europene 1176 other - - + - REZULTATUL EXERCItIULUI FINANCIAR + REZULTATUL EXERCITIULUI FINANCIAR 12 view - - + @@ -422,7 +344,7 @@ Profit sau pierdere 121 other - + @@ -430,80 +352,31 @@ Repartizarea profitului 129 other - + - - SUBVENtII PENTRU INVESTItII - 13 - view - - - - - - Subventii guvernamentale pentru investitii - 131 - other - - - - - - - imprumuturi nerambursabile cu caracter de subventii pentru investitii - 132 - other - - - - - - Donatii pentru investitii - 133 - other - - - - - - Plusuri de inventar de natura imobilizarilor - 134 - other - - - - - - Alte sume primite cu caracter de subventii pentru investitii - 138 - other - - - - - CasTIGURI SAU PIERDERI LEGATE DE EMITEREA,RaSCUMP.,VaNZAREA,CEDAREA CU TITLU GRATUIT SAU ANULAREA INSTRUM.DE CAPITALURI PROPRII + CASTIGURI SAU PIERDERI LEGATE DE EMITEREA,RASCUMPARAREA,VANZAREA,CEDAREA CU TITLU GRATUIT SAU ANULAREA INSTRUM.DE CAPITALURI PROPRII 14 view - + - Castiguri + Castiguri legate de vanzarea sau anularea instrumentelor de capitaluri proprii. 141 other - + - Pierderi + Pierderi legate de emiterea, rascumpararea, vanzarea, cedarea cu titlu gratuit sau anularea instrumentelor de capitaluri proprii. 149 other - + @@ -512,7 +385,7 @@ PROVIZIOANE 15 view - + @@ -520,7 +393,7 @@ Provizioane 151 view - + @@ -528,7 +401,7 @@ Provizioane pentru litigii 1511 other - + @@ -536,7 +409,7 @@ Provizioane pentru garantii acordate clientilor 1512 other - + @@ -544,7 +417,7 @@ Provizioane pentru dezafectare imobilizari corporale si alte actiuni legate de acestea 1513 other - + Acest cont apare doar la agentii economici care au aplicat Reglementarile contabile aprobate prin OMFP nr. 94/2001 si pana la scoaterea din evidenta a imobilizarilor corporale in valoarea carora au fost incluse aceste provizioane. Ca urmare, aceste provizioane nu se mai pot constitui in baza prezentelor reglementari. @@ -553,7 +426,7 @@ Provizioane pentru restructurare 1514 other - + @@ -561,7 +434,7 @@ Provizioane pentru pensii si obligatii similare 1515 other - + @@ -569,7 +442,7 @@ Provizioane pentru impozite 1516 other - + @@ -577,47 +450,47 @@ Alte provizioane 1518 other - + - imprumuturi si datorii asimilate + IMPRUMUTURI SI DATORII ASIMILATE 16 view - + - imprumuturi din emisiuni de obligatiuni + Imprumuturi din emisiuni de obligatiuni 161 view - + - imprumuturi externe din emisiuni de obligatiuni garantate de stat + Imprumuturi externe din emisiuni de obligatiuni garantate de stat 1614 other - + - imprumuturi externe din emisiuni de obligatiuni garantate de banci + Imprumuturi externe din emisiuni de obligatiuni garantate de banci 1615 other - + - imprumuturi interne din emisiuni de obligatiuni garantate de stat + Imprumuturi interne din emisiuni de obligatiuni garantate de stat 1617 other - + @@ -625,7 +498,7 @@ Alte imprumuturi din emisiuni de obligatiuni 1618 other - + @@ -633,7 +506,7 @@ Credite bancare pe termen lung 162 view - + @@ -641,7 +514,7 @@ Credite bancare pe termen lung 1621 other - + @@ -649,7 +522,7 @@ Credite bancare pe termen lung nerambursate la scadenta 1622 other - + @@ -657,7 +530,7 @@ Credite externe guvernamentale 1623 other - + @@ -665,7 +538,7 @@ Credite bancare externe garantate de stat 1624 other - + @@ -673,7 +546,7 @@ Credite bancare externe garantate de banci 1625 other - + @@ -681,7 +554,7 @@ Credite de la trezoreria statului 1626 other - + @@ -689,7 +562,7 @@ Credite bancare interne garantate de stat 1627 other - + @@ -697,8 +570,7 @@ Datorii care privesc imobilizarile financiare 166 view - - + @@ -706,8 +578,7 @@ Datorii fata de entitatile afiliate 1661 other - - + @@ -715,8 +586,7 @@ Datorii fata de entitatile de care compania este legata prin interese de participare 1663 other - - + @@ -724,8 +594,7 @@ Alte imprumuturi si datorii asimilate 167 other - - + @@ -733,8 +602,7 @@ Dobanzi aferente imprumuturilor si datoriilor asimilate 168 view - - + @@ -742,8 +610,7 @@ Dobanzi aferente imprumuturilor din emisiunile de obligatiuni 1681 other - - + @@ -751,8 +618,7 @@ Dobanzi aferente creditelor bancare pe termen lung 1682 other - - + @@ -760,8 +626,7 @@ Dobanzi aferente datoriilor fata de entitatile afiliate 1685 other - - + @@ -769,7 +634,7 @@ Dobanzi aferente datoriilor fata de entitatile de care compania este legata prin interese de participare 1686 other - + @@ -777,7 +642,7 @@ Dobanzi aferente altor imprumuturi si datorii asimilate 1687 other - + @@ -785,24 +650,24 @@ Prime privind rambursarea obligatiunilor 169 other - + - CONTURI DE IMOBILIZaRI + CONTURI DE IMOBILIZARI Clasa 2 view - + Imobilizari necorporale, corporale, financiare, amortizari - IMOBILIZaRI NECORPORALE + IMOBILIZARI NECORPORALE 20 view - + @@ -810,7 +675,7 @@ Cheltuieli de constituire 201 other - + @@ -818,7 +683,7 @@ Cheltuieli de dezvoltare 203 other - + @@ -826,7 +691,7 @@ Concesiuni, brevete, licente, marci comerciale, drepturi si active similare 205 other - + @@ -834,7 +699,7 @@ Fond comercial 207 view - + @@ -842,27 +707,34 @@ Fond comercial pozitiv 2071 other - + Acest cont apare, de regula, in situatiile financiare anuale consolidate - + Fond comercial negativ - 2072 + 2075 other Acest cont apare numai in situatiile financiare anuale consolidate - + + + Alte imobilizari necorporale + 208 + other + + + + - IMOBILIZaRI CORPORALE + IMOBILIZARI CORPORALE 21 view - + Atunci cand valoarea de achizitie depaseste 1800 RON - @@ -870,7 +742,7 @@ Terenuri si amenajari de terenuri 211 view - + @@ -878,8 +750,7 @@ Terenuri 2111 other - - + @@ -887,8 +758,7 @@ Amenajari de terenuri 2112 other - - + @@ -896,7 +766,7 @@ Constructii 212 other - + @@ -904,7 +774,7 @@ Instalatii tehnice, mijloace de transport, animale si plantatii 213 view - + @@ -912,7 +782,7 @@ Echipamente tehnologice (masini, utilaje si instalatii de lucru) 2131 other - + @@ -920,15 +790,15 @@ Aparate si instalatii de masurare, control si reglare 2132 other - + - Mijloace detransport + Mijloace de transport 2133 other - + @@ -936,7 +806,7 @@ Animale si plantatii 2134 other - + @@ -944,16 +814,39 @@ Mobilier, aparatura birotica, echipamente de protectie a valorilor umane si materiale si alte active corporale 214 other - + + + IMOBILIZARI CORPORALE IN CURS DE APROVIZIONARE + 22 + view + + + + + + Instalatii tehnice, mijloace de transport, animale si plantatii in curs de aprovizionare + 223 + other + + + + + + Mobilier, aparatura birotica, echipamente de protectie a valorilor umane si materiale si alte active corporale in curs de aprovizionare + 224 + other + + + + - IMOBILIZaRI iN CURS + IMOBILIZARI IN CURS SI AVANSURI PENTRU IMOBILIZARI 23 view - - + @@ -961,7 +854,7 @@ Imobilizari corporale in curs de executie 231 other - + @@ -969,7 +862,7 @@ Avansuri acordate pentru imobilizari corporale 232 other - + @@ -977,7 +870,7 @@ Imobilizari necorporale in curs de executie 233 other - + @@ -985,15 +878,15 @@ Avansuri acordate pentru imobilizari necorporale 234 other - + - IMOBILIZaRI FINANCIARE + IMOBILIZARI FINANCIARE 26 view - + @@ -1001,7 +894,7 @@ Actiuni detinute la entitatile afiliate 261 other - + @@ -1009,7 +902,7 @@ Interse de participare 263 other - + @@ -1017,7 +910,7 @@ Titluri puse in echivalenta 264 other - + Acest cont apare numai in situatiile financiare anuale consolidate @@ -1026,7 +919,7 @@ Alte titluri imobilizate 265 other - + @@ -1034,7 +927,7 @@ Creante imobilizate 267 view - + @@ -1042,7 +935,7 @@ Sume datorate de entitatile afiliate 2671 other - + @@ -1050,7 +943,7 @@ Dobanda aferenta sumelor datorate de entitatile afiliate 2672 other - + @@ -1058,7 +951,7 @@ Creante legate de interesele de participare 2673 other - + @@ -1066,15 +959,15 @@ Dobanda aferenta creantelor legate de interesele de participare 2674 other - + - imprumuturi acordate pe termen lung + Imprumuturi acordate pe termen lung 2675 other - + @@ -1082,7 +975,7 @@ Dobanda aferenta imprumuturilor acordate pe termen lung 2676 other - + @@ -1090,15 +983,15 @@ Alte creante imobilizate 2678 other - + - Varsaminte de efectuat pentru imobilizari financiare + Dobânzi aferente altor creante imobilizate 2679 other - + @@ -1106,7 +999,7 @@ Varsaminte de efectuat pentru imobilizari financiare 269 view - + @@ -1114,7 +1007,7 @@ Varsaminte de efectuat privind actiunile detinute la entitatile afiliate 2691 other - + @@ -1122,7 +1015,7 @@ Varsaminte de efectuat privind interesele de participare 2692 other - + @@ -1130,15 +1023,15 @@ Varsaminte de efectuat pentru alte imobilizari financiare 2693 other - + - AMORTIZaRI PRIVIND IMOBILIZaRILE + AMORTIZARI PRIVIND IMOBILIZARILE 28 view - + @@ -1146,7 +1039,7 @@ Amortizari privind amortizarile necorporale 280 view - + @@ -1154,7 +1047,7 @@ Amortizarea cheltuielilor de constituire 2801 other - + @@ -1162,7 +1055,7 @@ Amortizarea cheltuielilor de dezvoltare 2803 other - + @@ -1170,7 +1063,7 @@ Amortizarea concesiunilor, brevetelor, licentelor, marcilor comerciale, drepturilor si activelor similare 2805 other - + @@ -1178,7 +1071,7 @@ Amortizarea fondului comercial 2807 other - + Acest cont apare, de regula, in situatiile financiare anuale consolidate @@ -1187,7 +1080,7 @@ Amortizarea altor imobilizari necorporale 2808 other - + @@ -1195,7 +1088,7 @@ Amortizari privind imobilizarile corporale 281 view - + @@ -1203,7 +1096,7 @@ Amortizarea amenajarilor de terenuri 2811 other - + @@ -1211,7 +1104,7 @@ Amortizarea constructiilor 2812 other - + @@ -1219,7 +1112,7 @@ Amortizarea instalatiilor, mijloacelor de transport, animalelor si plantatiilor 2813 other - + @@ -1227,15 +1120,15 @@ Amortizarea altor imobilizari corporale 2814 other - + - AJUSTaRI PENTRU DEPRECIEREA SAU PIERDEREA DE VALOARE A IMOBILIZaRILOR + AJUSTARI PENTRU DEPRECIEREA SAU PIERDEREA DE VALOARE A IMOBILIZARILOR 29 view - + @@ -1243,7 +1136,7 @@ Ajustari pentru deprecierea imobilizarilor necorporale 290 view - + @@ -1251,7 +1144,7 @@ Ajustari pentru deprecierea cheltuielilor de dezvoltare 2903 other - + @@ -1259,7 +1152,7 @@ Ajustari pentru deprecierea concesiunilor, brevetelor, licentelor, marcilor comerciale, drepturilor si activelor similare 2905 other - + @@ -1267,7 +1160,7 @@ Ajustari pentru deprecierea fondului comercial 2907 other - + @@ -1275,7 +1168,7 @@ Ajustari pentru deprecierea altor imobilizari necorporale 2908 other - + @@ -1283,8 +1176,7 @@ Ajustari pentru deprecierea imobilizarilor corporale 291 view - - + @@ -1292,8 +1184,7 @@ Ajustari pentru deprecierea terenurilor si amenajarilor de terenuri 2911 other - - + @@ -1301,7 +1192,7 @@ Ajustari pentru deprecierea constructiilor 2912 other - + @@ -1309,7 +1200,7 @@ Ajustari pentru deprecierea instalatiilor, mijloacelor de transport, animalelor si plantatiilor 2913 other - + @@ -1317,7 +1208,7 @@ Ajustari pentru deprecierea altor imobilizari corporale 2914 other - + @@ -1325,7 +1216,7 @@ Ajustari pentru deprecierea imobilizarilor in curs de executie 293 view - + @@ -1333,7 +1224,7 @@ Ajustari pentru deprecierea imobilizarilor corporale in curs de executie 2931 other - + @@ -1341,7 +1232,7 @@ Ajustari pentru deprecierea imobilizarilor necorporale in curs de executie 2933 other - + @@ -1349,7 +1240,7 @@ Ajustari pentru pierderea de valoare a imobilizarilor financiare 296 view - + @@ -1357,7 +1248,7 @@ Ajustari pentru pierderea de valoare a actiunilor detinute la entitatile afiliate 2961 other - + @@ -1365,7 +1256,7 @@ Ajustari pentru pierderea de valoare a intereselor de participare 2962 other - + @@ -1373,7 +1264,7 @@ Ajustari pentru pierderea de valoare a altor titluri imobilizate 2963 other - + @@ -1381,7 +1272,7 @@ Ajustari pentru pierderea de valoare a sumelor datorate entitatilor afiliate 2964 other - + @@ -1389,7 +1280,7 @@ Ajustari pentru pierderea de valoare a creantelor legate de interesele de participare 2965 other - + @@ -1397,7 +1288,7 @@ Ajustari pentru pierderea de valoare a imprumuturilor pe termen lung 2966 other - + @@ -1405,23 +1296,23 @@ Ajustari pentru pierderea de valoare a altor creante imobilizate 2968 other - + - CONTURI DE STOCURI sI PRODUCtIE iN CURS DE EXECUtIE + CONTURI DE STOCURI SI PRODUCTIE IN CURS DE EXECUTIE Clasa 3 view - + - STOCURI DE MATERII PRIME sI MATERIALE + STOCURI DE MATERII PRIME SI MATERIALE 30 view - + @@ -1429,7 +1320,7 @@ Materii prime 301 other - + @@ -1437,7 +1328,7 @@ Materiale consumabile 302 view - + @@ -1445,7 +1336,7 @@ Materiale auxiliare 3021 other - + @@ -1453,15 +1344,15 @@ Combustibili 3022 other - + - Materiale auxiliare + Materiale pentru ambalat 3023 other - + @@ -1469,7 +1360,7 @@ Piese de schimb 3024 other - + @@ -1477,7 +1368,7 @@ Seminte si materiale de plantat 3025 other - + @@ -1485,7 +1376,7 @@ Furaje 3026 other - + @@ -1493,7 +1384,7 @@ Alte materiale consumabile 3028 other - + @@ -1501,7 +1392,7 @@ Materiale de natura obiectelor de inventar 303 other - + @@ -1509,15 +1400,71 @@ Diferente de pret la materii prime si materiale 308 other - + + + STOCURI IN CURS DE APROVIZIONARE + 32 + view + + + + + + Materii prime in curs de aprovizionare + 321 + other + + + + + + Materiale consumabile in curs de aprovizionare + 322 + other + + + + + + Materiale de natura obiectelor de inventar in curs de aprovizionare + 323 + other + + + + + + Animale in curs de aprovizionare + 326 + other + + + + + + Marfuri in curs de aprovizionare + 327 + other + + + + + + Ambalaje in curs de aprovizionare + 328 + other + + + + - PRODUCtIA iN CURS DE EXECUtIE + PRODUCTIA IN CURS DE EXECUTIE 33 view - + @@ -1525,15 +1472,15 @@ Produse in curs de executie 331 other - + - Lucrari si servicii in curs de executie + Servicii in curs de executie 332 other - + @@ -1541,7 +1488,7 @@ PRODUSE 34 view - + @@ -1549,7 +1496,7 @@ Semifabricate 341 other - + @@ -1557,7 +1504,7 @@ Produse finite 345 other - + @@ -1565,7 +1512,7 @@ Produse reziduale 346 other - + @@ -1573,15 +1520,15 @@ Diferente de pret la produse 348 other - + - STOCURI AFLATE LA TERtI + STOCURI AFLATE LA TERTI 35 view - + @@ -1589,7 +1536,7 @@ Materii si materiale aflate la terti 351 other - + @@ -1597,7 +1544,7 @@ Produse aflate la terti 354 other - + @@ -1605,7 +1552,7 @@ Animale aflate la terti 356 other - + @@ -1613,7 +1560,7 @@ Marfuri aflate la terti 357 other - + @@ -1621,7 +1568,7 @@ Ambalaje aflate la terti 358 other - + @@ -1629,7 +1576,7 @@ ANIMALE 36 view - + @@ -1637,7 +1584,7 @@ Animale si pasari 361 other - + @@ -1645,15 +1592,15 @@ Diferente de pret la animale si pasari 368 other - + - MaRFURI + MARFURI 37 view - + @@ -1661,7 +1608,7 @@ Marfuri 371 other - + @@ -1669,7 +1616,7 @@ Diferente de pret la marfuri 378 other - + @@ -1677,7 +1624,7 @@ AMBALAJE 38 view - + @@ -1685,7 +1632,7 @@ Ambalaje 381 other - + @@ -1693,15 +1640,15 @@ Diferente de pret la ambalaje 388 other - + - AJUSTaRI PENTRU DEPRECIEREA STOCURILOR sI PRODUCtIEI iN CURS DE EXECUtIE + AJUSTARI PENTRU DEPRECIEREA STOCURILOR SI PRODUCTIEI IN CURS DE EXECUTIE 39 view - + @@ -1709,7 +1656,7 @@ Ajustari pentru deprecierea materiilor prime 391 other - + @@ -1717,7 +1664,7 @@ Ajustari pentru deprecierea materialelor 392 view - + @@ -1725,7 +1672,7 @@ Ajustari pentru deprecierea materialelor consumabile 3921 other - + @@ -1733,7 +1680,7 @@ Ajustari pentru deprecierea materialelor de natura obiectelor de inventar 3922 other - + @@ -1741,7 +1688,7 @@ Ajustari pentru deprecierea productiei in curs de executie 393 other - + @@ -1749,7 +1696,7 @@ Ajustari pentru deprecierea produselor 394 view - + @@ -1757,7 +1704,7 @@ Ajustari pentru deprecierea semifabricatelor 3941 other - + @@ -1765,7 +1712,7 @@ Ajustari pentru deprecierea produselor finite 3945 other - + @@ -1773,7 +1720,7 @@ Ajustari pentru deprecierea produselor reziduale 3946 other - + @@ -1781,7 +1728,7 @@ Ajustari pentru deprecierea stocurilor aflate la terti 395 view - + @@ -1789,7 +1736,7 @@ Ajustari pentru deprecierea materiilor prime si materialelor aflate la terti 3951 other - + @@ -1797,7 +1744,7 @@ Ajustari pentru deprecierea semifabricatelor aflate la terti 3952 other - + @@ -1805,7 +1752,7 @@ Ajustari pentru deprecierea produselor finite aflate la terti 3953 other - + @@ -1813,7 +1760,7 @@ Ajustari pentru deprecierea produselor reziduale aflate la terti 3954 other - + @@ -1821,7 +1768,7 @@ Ajustari pentru deprecierea animalelor aflate la terti 3956 other - + @@ -1829,7 +1776,7 @@ Ajustari pentru deprecierea marfurilor aflate la terti 3957 other - + @@ -1837,15 +1784,23 @@ Ajustari pentru deprecierea ambalajelor aflate la terti 3958 other - + + + Ajustari pentru deprecierea animalelor + 396 + other + + + + Ajustari pentru deprecierea marfurilor 397 other - + @@ -1853,61 +1808,41 @@ Ajustari pentru deprecierea ambalajelor 398 other - + - CONTURI DE TERtI + CONTURI DE TERTI Clasa 4 view - + - FURNIZORI sI CONTURI ASIMILATE + FURNIZORI SI CONTURI ASIMILATE 40 view - + - + Furnizori 401 - view - + payable + - - - Furnizori cumparari de bunuri si prestari de servicii - 4011 - payable - - - - - - - - Furnizori - Contracte civile - 4012 - payable - - - - - Efecte de platit 403 payable - + @@ -1916,7 +1851,7 @@ Furnizori de imobilizari 404 payable - + @@ -1925,7 +1860,7 @@ Efecte de platit pentru imobilizari 405 payable - + @@ -1934,7 +1869,7 @@ Furnizori - facturi nesosite 408 payable - + @@ -1943,7 +1878,7 @@ Furnizori - debitori 409 view - + @@ -1952,25 +1887,25 @@ Furnizori - debitori pentru cumparari de bunuri de natura stocurilor 4091 other - + - Furnizori - debitori pentru prestari de servicii si executari de lucrari + Furnizori - debitori pentru prestari de servicii 4092 other - + - CLIENtI sI CONTURI ASIMILATE + CLIENTI SI CONTURI ASIMILATE 41 view - + @@ -1979,16 +1914,16 @@ Clienti 411 view - + - Clienti - Vanzari de bunuri sau prestari de servicii + Clienti 4111 receivable - + @@ -1997,7 +1932,7 @@ Clienti incerti sau in litigiu 4118 receivable - + @@ -2006,7 +1941,7 @@ Efecte de primit de la clienti 413 receivable - + @@ -2015,7 +1950,7 @@ Clienti - facturi de intocmit 418 receivable - + @@ -2024,24 +1959,24 @@ Clienti creditori 419 other - + - PERSONAL sI CONTURI ASIMILATE + PERSONAL SI CONTURI ASIMILATE 42 view - + Personal - salarii datorate 421 - view - + other + @@ -2050,7 +1985,7 @@ Personal - ajutoare materiale datorate 423 other - + @@ -2059,7 +1994,7 @@ Prime privind participarea personalului la profit 424 other - + Se utilizeaza atunci cand exista baza legala pentru acordarea acestora @@ -2069,17 +2004,16 @@ Avansuri acordate personalului 425 receivable - - + - Drepturi de personal neridicatelte creante + Drepturi de personal neridicate 426 other - + @@ -2088,7 +2022,7 @@ Retineri din salarii datorate tertilor 427 other - + @@ -2097,7 +2031,7 @@ Alte datorii si creante in legatura cu personalul 428 view - + @@ -2106,7 +2040,7 @@ Alte datorii in legatura cu personalul 4281 other - + @@ -2115,16 +2049,16 @@ Alte creante in legatura cu personalul 4282 receivable - + - ASIGURaRI SOCIALE, PROTECtIE SOCIALa sI CONTURI ASIMILATE + ASIGURARI SOCIALE, PROTECTIE SOCIALA SI CONTURI ASIMILATE 43 view - + @@ -2132,7 +2066,7 @@ Asigurari sociale 431 view - + @@ -2141,7 +2075,7 @@ Contributia unitatii la asigurarile sociale 4311 other - + @@ -2150,16 +2084,16 @@ Contributia personalului la asigurarile sociale 4312 other - + - Contributia unitatii pentru asigurarile sociale de sanatate + Contributia angajatorului pentru asigurarile sociale de sanatate 4313 other - + @@ -2168,7 +2102,7 @@ Contributia angajatilor pentru asigurarile sociale de sanatate 4314 other - + @@ -2177,7 +2111,7 @@ Contributia angajatorilor la fondul pentru concedii si indemnizatii 4315 other - + @@ -2186,7 +2120,7 @@ Contributia angajatorilor la fondul de asigurare pentru accidente de munca si boli profesionale 4316 other - + @@ -2196,7 +2130,7 @@ Ajutor de somaj 437 view - + @@ -2205,7 +2139,7 @@ Contributia unitatii la fondul de somaj 4371 other - + @@ -2214,7 +2148,7 @@ Contributia personalului la fondul de somaj 4372 other - + @@ -2223,7 +2157,7 @@ Contributia unitatii la fondul de garantare pentru plata creantelor salariale 4373 other - + @@ -2232,7 +2166,7 @@ Alte datorii si creante sociale 438 view - + @@ -2241,7 +2175,7 @@ Alte datorii sociale 4381 other - + @@ -2250,7 +2184,7 @@ Alte creante sociale 4382 receivable - + @@ -2259,7 +2193,7 @@ BUGETUL STATULUI, FONDURI SPECIALE sI CONTURI ASIMILATE 44 view - + @@ -2267,7 +2201,7 @@ Impozitul pe profit 441 view - + @@ -2276,7 +2210,7 @@ Impozitul pe profit 4411 other - + @@ -2285,7 +2219,7 @@ Impozitul pe venit 4418 other - + @@ -2294,7 +2228,7 @@ Taxa pe valoarea adaugata 442 view - + @@ -2303,7 +2237,7 @@ TVA de plata 4423 other - + @@ -2312,7 +2246,7 @@ TVA de recuperat 4424 other - + @@ -2321,7 +2255,7 @@ TVA deductibila 4426 other - + @@ -2330,7 +2264,7 @@ TVA colectata 4427 other - + @@ -2338,25 +2272,25 @@ TVA neexigibila 4428 other - + - Impozitul pe vanituri de natura salariilor + Impozitul pe venituri de natura salariilor 444 other - + - c + Subventii 445 view - + @@ -2365,16 +2299,16 @@ Subventii guvernamentale 4451 receivable - + - imprumuturi nerambursabile cu caracter de subventii + Imprumuturi nerambursabile cu caracter de subventii 4452 receivable - + @@ -2383,7 +2317,7 @@ Alte sume primite cu caracter de subventii 4458 receivable - + @@ -2392,7 +2326,7 @@ Alte impozite,taxe si varsaminte asimilate 446 other - + @@ -2401,7 +2335,7 @@ Fonduri speciale - taxe si varsaminte asimilate 447 other - + @@ -2410,7 +2344,7 @@ Alte datorii si creante cu bugetul statului 448 view - + @@ -2419,7 +2353,7 @@ Alte datorii fata de bugetul statului 4481 other - + @@ -2428,16 +2362,16 @@ Alte creante privind bugetul statului 4482 other - + - GRUP sI ACtIONARI / ASOCIAtI + GRUP SI ACTIONARI / ASOCIATI 45 view - + @@ -2445,7 +2379,7 @@ Decontari intre entitatile afiliate 451 view - + @@ -2453,8 +2387,8 @@ Decontari intre entitatile afiliate 4511 - receivable - + other + @@ -2462,8 +2396,8 @@ Dobanzi aferente decontarilor intre entitatile afiliate 4518 - receivable - + other + @@ -2472,7 +2406,7 @@ Decontari privind interesele de participare 453 view - + @@ -2480,8 +2414,8 @@ Decontari privind interesele de participare 4531 - receivable - + other + @@ -2489,8 +2423,8 @@ Dobanzi aferente decontarilor privind interesele de participare 4538 - receivable - + other + @@ -2499,7 +2433,7 @@ Sume datorate actionarilor/asociatilor 455 view - + @@ -2508,7 +2442,7 @@ Actionari/asociati - conturi curente 4551 receivable - + @@ -2517,7 +2451,7 @@ Actionari/asociati dobanzi la conturi curente receivable 4558 - + @@ -2525,8 +2459,8 @@ Decontari cu actionarii/asociatii privind capitalul 456 - receivable - + other + @@ -2535,7 +2469,7 @@ Dividende de plata 457 other - + @@ -2544,7 +2478,7 @@ Decontari din operatii in participare 458 view - + @@ -2553,7 +2487,7 @@ Decontari din operatii in participare - activ 4581 receivable - + @@ -2562,16 +2496,16 @@ Decontari din operatii in participare - pasiv 4582 receivable - + - DEBITORI sI CREDITORI DIVERsI + DEBITORI SI CREDITORI DIVERSI 46 view - + @@ -2579,7 +2513,7 @@ Debitori diversi 461 receivable - + @@ -2588,16 +2522,16 @@ Creditori diversi 462 other - + - CONTURI DE REGULARIZARE sI ASIMILATE + CONTURI DE REGULARIZARE SI ASIMILATE 47 view - + @@ -2605,7 +2539,7 @@ Cheltuieli integistrate in avans 471 receivable - + @@ -2614,7 +2548,7 @@ Venituri inregistrate in avans 472 other - + @@ -2622,25 +2556,78 @@ Decontari din operatiuni in curs de clarificare 473 - receivable - + other + + + + Subventii pentru investitii + 475 + view + + + + + + Subventii guvernamentale pentru investitii + 4751 + other + + + + + + + Imprumuturi nerambursabile cu caracter de subventii pentru investitii + 4752 + other + + + + + + + Donatii pentru investitii + 4753 + other + + + + + + + Plusuri de inventar de natura imobilizarilor + 4754 + other + + + + + + + Alte sume primite cu caracter de subventii pentru investitii + 4758 + other + + + + - DECONTaRI iN CADRUL UNITatII + DECONTARI IN CADRUL UNITATII 48 view - + - + Decontari intre unitati si subunitati 481 - receivable - + other + @@ -2648,18 +2635,18 @@ Decontari intre subunitati 482 - receivable - + other + - AJUSTaRI PENTRU DEPRECIEREA CREANtELOR + AJUSTARI PENTRU DEPRECIEREA CREANTELOR 49 view - + @@ -2667,7 +2654,7 @@ Ajustari pentru deprecierea creantelor - clienti 491 other - + @@ -2676,7 +2663,7 @@ Ajustari pentru deprecierea creantelor - decontari in cadrul grupului si cu actionarii/asociatii 495 other - + @@ -2685,7 +2672,7 @@ Ajustari pentru deprecierea creantelor - debitori diversi 496 receivable - + @@ -2694,15 +2681,15 @@ CONTURI DE TREZORERIE Clasa 5 view - + - INVESTItII PE TERMEN SCURT + INVESTITII PE TERMEN SCURT 50 view - + @@ -2710,7 +2697,7 @@ Actiuni detinute la entitatile afiliate 501 other - + @@ -2718,7 +2705,7 @@ Obligatiuni emise si rascumparate 505 other - + @@ -2726,7 +2713,7 @@ Obligatiuni 506 other - + @@ -2734,7 +2721,7 @@ Alte investitii pe termen scurt si creante asimilate 508 view - + @@ -2742,7 +2729,7 @@ Alte titluri de plasament 5081 other - + @@ -2750,7 +2737,7 @@ Dobanzi la obligatiuni si alte titluri de plasament 5088 other - + @@ -2758,7 +2745,7 @@ Varsaminte de efctuat pentru investitiile pe termen scurt 509 view - + @@ -2766,7 +2753,7 @@ Varsaminte de efctuat pentru actiunile detinute la institutiile afiliate 5091 other - + @@ -2774,7 +2761,7 @@ Varsaminte de efctuat pentru alte investitii pe termen scurt 5092 other - + @@ -2782,7 +2769,7 @@ CONTURI LA BANCI 51 view - + @@ -2790,7 +2777,7 @@ Valori de incasat 511 view - + @@ -2798,8 +2785,7 @@ Cecuri de incasat 5112 other - - + @@ -2807,7 +2793,7 @@ Efecte de incasat 5113 other - + @@ -2815,7 +2801,7 @@ Efecte remise spre scontare 5114 other - + @@ -2823,7 +2809,7 @@ Conturi curente la banci 512 view - + Se creeaza cate un cont pentru fiecare cont bancar @@ -2832,8 +2818,8 @@ Conturi la banci in lei 5121 - other - + view + @@ -2842,7 +2828,7 @@ Conturi la banci in valuta 5124 other - + @@ -2850,7 +2836,7 @@ Sume in curs de decontare 5125 other - + @@ -2858,7 +2844,7 @@ Dobanzi 518 view - + @@ -2866,8 +2852,7 @@ Dobanzi de platit 5186 other - - + @@ -2875,7 +2860,7 @@ Dobanzi de incasat 5187 other - + @@ -2883,7 +2868,7 @@ Credite bancare pe termen scurt 519 view - + @@ -2891,7 +2876,7 @@ Credite bancare pe termen scurt 5191 other - + @@ -2899,7 +2884,7 @@ Credite bancare pe termen scurt nerambursate la scadenta 5192 other - + @@ -2907,7 +2892,7 @@ Credite externe guvernamentale 5193 other - + @@ -2915,7 +2900,7 @@ Credite externe garantate de stat 5194 other - + @@ -2923,7 +2908,7 @@ Credite externe garantate de banci 5195 other - + @@ -2931,7 +2916,7 @@ Credite de la trezoreria statului 5196 other - + @@ -2939,7 +2924,7 @@ Credite interne garantate de stat 5197 other - + @@ -2947,7 +2932,7 @@ Dobanzi aferente creditelor pe termen scurt 5198 other - + @@ -2955,7 +2940,7 @@ CASA 53 view - + @@ -2963,7 +2948,7 @@ Casa 531 view - + @@ -2971,7 +2956,7 @@ Casa in lei 5311 other - + @@ -2979,7 +2964,7 @@ Casa in valuta 5314 other - + @@ -2987,7 +2972,7 @@ Alte valori 532 view - + @@ -2995,7 +2980,7 @@ Timbre fiscale si postale 5321 other - + @@ -3003,7 +2988,7 @@ Bilete de tratament si odihna 5322 other - + @@ -3011,7 +2996,7 @@ Tichete si bilete de calatorie 5323 other - + @@ -3019,7 +3004,7 @@ Alte valori 5328 other - + @@ -3027,7 +3012,7 @@ ACREDITIVE 54 view - + @@ -3035,7 +3020,7 @@ Acreditive 541 view - + @@ -3043,7 +3028,7 @@ Acreditive in lei 5411 other - + @@ -3051,7 +3036,7 @@ Acreditive in valuta 5412 other - + @@ -3059,7 +3044,7 @@ Avansuri de trezorerie 542 other - + in acest cont vor fi evidentiate si sumele acordate prin sistemul de carduri @@ -3068,7 +3053,7 @@ VIRAMENTE INTERNE 58 view - + @@ -3077,16 +3062,16 @@ Viramente interne 581 other - + - AJUSTaRI PENTRU PIERDEREA DE VALOARE A CONTURILOR DE TREZORERIE + AJUSTARI PENTRU PIERDEREA DE VALOARE A CONTURILOR DE TREZORERIE 59 view - + @@ -3094,7 +3079,7 @@ Ajustari pentru pierderea de valoare a actiunilor detinute la entitatile afiliate 591 other - + @@ -3102,7 +3087,7 @@ Ajustari pentru pierderea de valoare a obligatiunilor emise si recuperate 595 other - + @@ -3110,7 +3095,7 @@ Ajustari pentru pierderea de valoare a obligatiunilor 596 other - + @@ -3118,7 +3103,7 @@ Ajustari pentru pierderea de valoare a altor invesitii pe termen scurt si creante asimilate 598 other - + @@ -3126,7 +3111,7 @@ Conturile de venituri si cheltuieli Clasele 6 si 7 view - + @@ -3134,7 +3119,7 @@ CONTURI DE CHELTUIELI Clasa 6 view - + @@ -3142,15 +3127,15 @@ CHELTUIELI PRIVIND STOCURILE 60 view - + - Venituri din subventii de exploatareCheltuieli cu materiile prime + Cheltuieli cu materiile prime 601 other - + @@ -3158,7 +3143,7 @@ Cheltuieli cu materialele consumabile 602 view - + @@ -3166,7 +3151,7 @@ Cheltuieli cu materiale auxiliare 6021 other - + @@ -3174,7 +3159,7 @@ Cheltuieli privind combustibilul 6022 other - + @@ -3182,7 +3167,7 @@ Cheltuieli privind materialele pentru ambalat 6023 other - + @@ -3190,7 +3175,7 @@ Cheltuieli privind piesele de schimb 6024 other - + @@ -3198,7 +3183,7 @@ Cheltuieli privind semintele si materialele de plantat 6025 other - + @@ -3206,7 +3191,7 @@ Cheltuieli privind furajele 6026 other - + @@ -3214,7 +3199,7 @@ Cheltuieli privind alte materiale consumabile 6028 other - + @@ -3222,7 +3207,7 @@ Cheltuieli privind materialele de natura obiectelor de inventar 603 other - + @@ -3230,7 +3215,7 @@ Cheltuieli privind materialele nestocate 604 other - + @@ -3238,7 +3223,7 @@ Cheltuieli privind energia si apa 605 other - + @@ -3246,7 +3231,7 @@ Cheltuieli privind animalele si pasarile 606 other - + @@ -3254,7 +3239,7 @@ Cheltuieli privind marfurile 607 other - + @@ -3262,15 +3247,23 @@ Cheltuieli privind ambalajele 608 other - + - + + + Reduceri comerciale primite + 609 + other + + + + - CHELTUIELI CU LUCRaRIRE sI SERVICIILE EXECUTATE DE TERtI + CHELTUIELI CU LUCRARIRE SI SERVICIILE EXECUTATE DE TERTI 61 view - + @@ -3278,7 +3271,7 @@ Cheltuieli cu intretinerile si reparatiile 611 other - + @@ -3286,7 +3279,7 @@ Cheltuieli cu redeventele, locatiile de gestiune si chiriile 612 other - + @@ -3294,7 +3287,7 @@ Cheltuieli cu primele de asigurare 613 other - + @@ -3302,15 +3295,15 @@ Cheltuieli cu studiile si cercetarile 614 other - + - CHELTUIELI CU ALTE SERVICII EXECUTATE DE TERtI + CHELTUIELI CU ALTE SERVICII EXECUTATE DE TERTI 62 view - + @@ -3318,7 +3311,7 @@ Cheltuieli cu colaboratorii 621 other - + @@ -3327,7 +3320,7 @@ Cheltuieli privind comisioanele si onorariile 622 other - + @@ -3335,7 +3328,7 @@ Cheltuieli de protocol, reclama si publicitate 623 other - + @@ -3343,7 +3336,7 @@ Cheltuieli cu transportul de bunuri si personal 624 other - + @@ -3351,7 +3344,7 @@ Cheltuieli cu deplasari, detasari si transferari 625 other - + @@ -3359,7 +3352,7 @@ Cheltuieli postale si taxe de telecomunicatii 626 other - + @@ -3367,7 +3360,7 @@ Cheltuieli cu serviciile bancare si asimilate 627 other - + @@ -3375,7 +3368,7 @@ Alte cheltuieli cu serviciile executate de terti 628 other - + @@ -3383,7 +3376,7 @@ Cheltuieli cu alte impozite, taxe si varsaminte asimilate 63 view - + @@ -3391,7 +3384,7 @@ Cheltuieli cu alte impozite, taxe si varsaminte asimilate 635 other - + @@ -3399,7 +3392,7 @@ CHELTUIELI CU PERSONALUL 64 view - + @@ -3407,7 +3400,7 @@ Cheltuieli cu salariile personalului 641 other - + @@ -3415,15 +3408,31 @@ Cheltuieli cu tichetele de masa acordate salariatilor 642 other - + + + Cheltuieli cu primele reprezentand participarea personalului la profit + 643 + other + + + + + + Cheltuieli cu renumerarea in instrumente de capitaluri proprii + 644 + other + + + + Cheltuieli privind asigurarile si protectia sociala 645 view - + @@ -3431,7 +3440,7 @@ Contributia unitatii la asigurarile sociale 6451 other - + @@ -3439,7 +3448,7 @@ Contributia unitatii pentru ajutorul de somaj 6452 other - + @@ -3447,7 +3456,7 @@ Contributia angajatorului pentru asigurarile sociale de sanatate 6453 other - + @@ -3455,7 +3464,7 @@ Contributia unitatii la fondul de garantare 6454 other - + @@ -3463,15 +3472,31 @@ Contributia unitatii la fondul de concedii medicale 6455 other - + + + Contributia unitatii la schemele de pensii facultative + 6456 + other + + + + + + Contributia unitatii la primele de asigurare voluntara de sanatate + 6457 + other + + + + Alte cheltuieli privind asigurarile si protectia sociala 6458 other - + @@ -3479,15 +3504,23 @@ Alte cheltuieli de exploatare 65 view - + + + Cheltuieli cu protectia mediului inconjurator + 652 + other + + + + Pierderi din creante si debitori diversi 654 other - + @@ -3495,7 +3528,7 @@ Alte cheltuieli de exploatare 658 view - + @@ -3503,7 +3536,7 @@ Despagubiri, amenzi si penalitati 6581 other - + @@ -3511,7 +3544,7 @@ Donatii si subventii acordate 6582 other - + @@ -3519,7 +3552,7 @@ Cheltuieli privind activele cedate si alte operatii de capital 6583 other - + @@ -3527,16 +3560,15 @@ Alte cheltuieli de exploatare 6588 other - + - CHELTUIELI FINANCIARE 66 view - + @@ -3544,16 +3576,15 @@ Pierderi din creante legate de participatii 663 other - + - Cheltuieli privind investitiile financiare cedate 664 view - + @@ -3561,7 +3592,7 @@ Cheltuieli privind imobilizarile financiare cedate 6641 other - + @@ -3569,7 +3600,7 @@ Pierderi din investitiile pe termen scurt cedate 6642 other - + @@ -3577,7 +3608,7 @@ Cheltuieli din diferente de curs valutar 665 other - + @@ -3585,7 +3616,7 @@ Cheltuieli privind dobanzile 666 other - + @@ -3593,7 +3624,7 @@ Cheltuieli privind sconturile acordate 667 other - + @@ -3601,7 +3632,7 @@ Alte cheltuieli financiare 668 other - + @@ -3609,7 +3640,7 @@ CHELTUIELI EXTRAORDINARE 67 view - + @@ -3617,15 +3648,15 @@ Cheltuieli privind calamitatile si alte evenimente extraordinare 671 other - + - CHELTUIELI CU AMORTIZaRILE, PROVIZIOANELE sI AJUSTaRILE PENTRU DEPRECIERE SAU PIERDERE DE VALOARE + CHELTUIELI CU AMORTIZARILE, PROVIZIOANELE SI AJUSTARILE PENTRU DEPRECIERE SAU PIERDERE DE VALOARE 68 view - + @@ -3633,15 +3664,15 @@ Cheltuieli de exploatare privind amortizarile, provizioanele si ajustarile pentru depreciere 681 view - + - Alte cheltuieli cu serviciile executate de tertiCheltuieli de exploatare privind amortizarea imobilizarilor + Cheltuieli de exploatare privind amortizarea imobilizarilor 6811 other - + @@ -3649,7 +3680,7 @@ Cheltuieli de exploatare privind provizioanele 6812 other - + @@ -3657,7 +3688,7 @@ Cheltuieli de exploatare privind ajustarile pentru deprecierea imobilizarilor 6813 other - + @@ -3665,7 +3696,7 @@ Cheltuieli de exploatare privind ajustarile pentru deprecierea activelor circulante 6814 other - + @@ -3673,7 +3704,7 @@ Cheltuieli financiare privind amortizarile si ajustarile pentru pierdere de valoare 686 view - + @@ -3681,7 +3712,7 @@ Cheltuieli financiare privind ajustarile pentru pierderea de valoare a imobilizarilor financiare 6863 other - + @@ -3689,7 +3720,7 @@ Cheltuieli financiare privind ajustarile pentru pierderea de valoare a activelor circulante 6864 other - + @@ -3697,15 +3728,15 @@ Cheltuieli financiare privind amortizarea primelor de rambursare a obligatiunilor 6868 other - + - CHELTUIELI CU IMPOZITUL PE PROFIT sI ALTE IMPOZITE + CHELTUIELI CU IMPOZITUL PE PROFIT SI ALTE IMPOZITE 69 view - + @@ -3713,7 +3744,7 @@ Impozitul pe profit 691 other - + @@ -3721,7 +3752,7 @@ Cheltuieli cu impozitul pe venit si cu alte impozite care nu apar in elementele de mai sus 698 other - + Se utilizeaza conform reglementarilor legale @@ -3730,15 +3761,15 @@ CONTURI DE VENITURI Clasa 7 view - + - CIFRA DE AFACERI NETa + CIFRA DE AFACERI NETA 70 view - + @@ -3746,7 +3777,7 @@ Venituri din vanzarea produselor finite 701 other - + @@ -3754,7 +3785,7 @@ Venituri din vanzarea semifabricatelor 702 other - + @@ -3762,7 +3793,7 @@ Venituri din vanzarea produselor reziduale 703 other - + @@ -3770,7 +3801,7 @@ Venituri din lucrari executate si servicii prestate 704 other - + @@ -3778,7 +3809,7 @@ Venituri din studii si cercetari 705 other - + @@ -3786,7 +3817,7 @@ Venituri din redevente, locatii de gestiune si chirii 706 other - + @@ -3794,7 +3825,7 @@ Venituri din vanzarea marfurilor 707 other - + 707-607 = adaosul comercial @@ -3803,23 +3834,39 @@ Venituri din activitati diverse 708 other - + + + + + + Reduceri comerciale acordate + 709 + other + - Variatia stocurilor + Venituri aferente costului productiei in curs de executie 71 view - + - Variatia stocurilor + Venituri aferente costurilor stocurilor de produse 711 other - + + + + + + Venituri aferente costurilor serviciilor in curs de executie + 712 + other + @@ -3827,7 +3874,7 @@ Venituri din productia de imobilizari 72 view - + @@ -3835,7 +3882,7 @@ Venituri din productia de imobilizari necorporale 721 other - + @@ -3843,15 +3890,15 @@ Venituri din productia de imobilizari corporale 722 other - + - VENITURI DIN SUBVENtII DE EXPLOATARE + VENITURI DIN SUBVENTII DE EXPLOATARE 74 view - + @@ -3859,7 +3906,7 @@ Venituri din subventii de exploatare 741 view - + @@ -3867,7 +3914,7 @@ Venituri din subventii de exploatare aferente cifrei de afaceri 7411 other - + Se ia in calcul la determinarea cifrei de afaceri @@ -3876,7 +3923,7 @@ Venituri din subventii de exploatare pentru materii prime si materiale consumabile 7412 other - + @@ -3884,7 +3931,7 @@ Venituri din subventii de exploatare pentru alte cheltuieli externe 7413 other - + @@ -3892,7 +3939,7 @@ Venituri din subventii de exploatare pentru plata personalului 7414 other - + @@ -3900,7 +3947,7 @@ Venituri din subventii de exploatare pentru asigurari si protectie sociala 7415 other - + @@ -3908,7 +3955,7 @@ Venituri din subventii de exploatare pentru alte cheltuieli de exploatare 7416 other - + @@ -3916,7 +3963,7 @@ Venituri din subventii de exploatare aferente altor venituri 7417 other - + @@ -3924,7 +3971,7 @@ Venituri din subventii de exploatare pentru dobanda datorata 7418 other - + @@ -3932,7 +3979,7 @@ ALTE VENITURI DIN EXPLOATARE 75 view - + @@ -3940,7 +3987,7 @@ Venituri din creante reactivate si debitori diversi 754 other - + @@ -3948,7 +3995,7 @@ Alte venituri din exploatare 758 view - + @@ -3956,7 +4003,7 @@ Venituri din despagubiri, amenzi si penalitati 7581 other - + @@ -3964,7 +4011,7 @@ Venituri din donatii si subventii primite 7582 other - + @@ -3972,7 +4019,7 @@ Venituri din vanzarea activelor si alte operatii de capital 7583 other - + @@ -3980,7 +4027,7 @@ Venituri din subventii pentru investitii 7584 other - + @@ -3988,7 +4035,7 @@ Alte venituri din exploatare 7588 other - + @@ -3996,7 +4043,7 @@ VENITURI FINANCIARE 76 view - + @@ -4004,7 +4051,7 @@ Venituri din imobilizari financiare 761 view - + @@ -4012,7 +4059,7 @@ Venituri din actiuni detinute la entitatile afiliate 7611 other - + @@ -4020,7 +4067,7 @@ Venituri din interese de participare 7613 other - + @@ -4028,7 +4075,7 @@ Venituri din investitii financiare pe termen scurt 762 other - + @@ -4036,7 +4083,7 @@ Venituri din creante imobilizate 763 other - + @@ -4044,7 +4091,7 @@ Venituri din investitii financiare cedate 764 view - + @@ -4052,7 +4099,7 @@ Venituri din imobilizari financiare cedate 7641 other - + @@ -4060,7 +4107,7 @@ Castiguri din investitii pe termen scurt cedate 7642 other - + @@ -4068,7 +4115,7 @@ Venituri din diferente de curs valutar 765 other - + @@ -4076,7 +4123,7 @@ Venituri din dobanzi 766 other - + @@ -4084,7 +4131,7 @@ Venituri din sconturi obtinute 767 other - + (contrepartie 667) @@ -4093,7 +4140,7 @@ Alte venituri financiare 768 other - + @@ -4101,7 +4148,7 @@ VENITURI EXTRAORDINARE 77 view - + @@ -4109,15 +4156,15 @@ Venituri din subventii pentru evenimente extraordinare si altele similare 771 other - + - VENITURI DIN PROVIZIOANE sI AJUSTaRI PENTRU DEPRECIERE SAU PIERDERE DE VALOARE + VENITURI DIN PROVIZIOANE SI AJUSTARI PENTRU DEPRECIERE SAU PIERDERE DE VALOARE 78 view - + @@ -4125,7 +4172,7 @@ Venituri din provizioane si ajustari pentru depreciere privind activitatea de exploatare 781 view - + @@ -4133,7 +4180,7 @@ Venituri din provizioane 7812 other - + @@ -4141,7 +4188,7 @@ Venituri din ajustari pentru deprecierea imobilizarilor 7813 other - + @@ -4149,7 +4196,7 @@ Venituri din ajustari pentru deprecierea activelor circulante 7814 other - + @@ -4158,7 +4205,7 @@ 7815 other Acest cont apare numai in situatiile anuale consolidate - + @@ -4166,7 +4213,7 @@ Venituri financiare din ajustari pentru pierdere de valoare 786 view - + @@ -4174,7 +4221,7 @@ Venituri financiare din ajustari pentru pierderea de valoare a imobilizarilor financiare 7863 other - + @@ -4182,7 +4229,7 @@ Venituri financiare din ajustari pentru pierderea de valoare a activelor circulante 7864 other - + @@ -4190,7 +4237,7 @@ CONTURI SPECIALE Clasa 8 view - + @@ -4198,7 +4245,7 @@ CONTURI IN AFARA BILANTULUI 80 view - + @@ -4206,7 +4253,7 @@ Angajamente acordate 801 view - + @@ -4214,7 +4261,7 @@ Giruri si garantii acordate 8011 other - + @@ -4222,7 +4269,7 @@ Alte angajamente acordate 8018 other - + @@ -4230,7 +4277,7 @@ Angajamente primite 802 view - + @@ -4238,7 +4285,7 @@ Giruri si garantii primite 8021 other - + @@ -4246,7 +4293,7 @@ Alte angajamente primite 8028 other - + @@ -4254,7 +4301,7 @@ Alte conturi in afara bilantului 803 view - + @@ -4315,18 +4362,26 @@ - Alte valori in afara bilantului + Bunuri publice primite in administrare, concesiune si cu chirie 8038 other + + Alte valori in afara bilantului + 8039 + other + + + + Amortizarea aferenta gradului de neutilizare a mijloacelor fixe 804 view - + @@ -4342,7 +4397,7 @@ Dobanzi aferente contractelor de leasing si altor contracte asimilate, neajunse la scadenta 805 view - + @@ -4362,11 +4417,35 @@ + + Certificate de emisii de gaze cu efect de sera + 806 + other + + + + + + Active contingente + 807 + other + + + + + + Datorii contingente + 808 + other + + + + Bilant 89 view - + @@ -4385,18 +4464,130 @@ + + + CONTURI DE GESTIUNE + Clasa 9 + view + + + + + + DECONTARI INTERNE + 90 + view + + + + + + Decontari interne privind cheltuielile + 901 + other + + + - - - Romania - Chart of Accounts - - - - - - - - - + + Decontari interne privind productia obtinuta + 902 + other + + + + + + Decontari interne privind diferentele de pret + 903 + other + + + + + + CONTURI DE CALCULATIE + 92 + view + + + + + + Cheltuielile activitatii de baza + 921 + other + + + + + + Cheltuielile activitatilor auxiliare + 922 + other + + + + + + Cheltuieli indirecte de productie + 923 + other + + + + + + Cheltuieli generale de administratie + 924 + other + + + + + + Cheltuieli de desfacere + 925 + other + + + + + + COSTUL PRODUCTIEI + 93 + view + + + + + + Costul productiei obtinute + 931 + other + + + + + + Costul productiei de executie + 933 + other + + + + + + + Romania - Chart of Accounts + + + + + + + + + diff --git a/addons/l10n_ro/account_tax.xml b/addons/l10n_ro/account_tax.xml deleted file mode 100644 index 22c2478110f..00000000000 --- a/addons/l10n_ro/account_tax.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - - - TVA colectat 0% - 0.000000 - percent - - - - 1.00 - - 1.00 - - -1.00 - - -1.00 - - - - TVA colectat 5% - 0.090000 - percent - - - - - - - -1.00 - -1.00 - 1.00 - 1.00 - - - - TVA colectat 9% - 0.090000 - percent - - - - - - - -1.00 - -1.00 - 1.00 - 1.00 - - - - TVA colectat 19% - 0.190000 - percent - - - - - - - -1.00 - -1.00 - 1.00 - 1.00 - - - - - TVA deductibil 0% - 0.000000 - percent - - - - 1.00 - - 1.00 - - -1.00 - - -1.00 - - - - TVA deductibil 5% - 0.090000 - percent - - - - - - - -1.00 - -1.00 - 1.00 - 1.00 - - - - TVA deductibil 9% - 0.090000 - percent - - - - - - - -1.00 - -1.00 - 1.00 - 1.00 - - - - TVA deductibil 19% - 0.190000 - percent - - - - - - - -1.00 - -1.00 - 1.00 - 1.00 - - - - - diff --git a/addons/l10n_ro/account_tax_code.xml b/addons/l10n_ro/account_tax_code.xml deleted file mode 100644 index 247c70b5f06..00000000000 --- a/addons/l10n_ro/account_tax_code.xml +++ /dev/null @@ -1,134 +0,0 @@ - - - - -# -# Tax Code Template Configuration -# - - Decont TVA - - - - TVA COLECTATA - b) - - - - - TVA 19% - TVA colectata 19% - - - - TVA 9% - TVA colectata 9% - - - - TVA 5% - TVA colectata 5% - - - - - TVA Taxare inversa - TVA - - - - - TVA 0% - TVA colectata 0% - - - - - BAZA TVA COLECTAT - a) - - - - Baza TVA 19% - TVA colectata 19%(Baza) - - - - Baza TVA 9% - TVA colectata 9%(Baza) - - - - Baza TVA 5% - TVA colectata 5%(Baza) - - - - - Baza TVA Taxare inversa - Baza - - - - - Baza TVA 0% - TVA colectata 0%(Baza) - - - - - - TVA DEDUCTIBILA - d) - - - - TVA 19% - TVA deductibila 19% - - - - TVA 9% - TVA deductibila 9% - - - - TVA 5% - TVA deductibila 5% - - - - - TVA 0% - TVA deductibila 0% - - - - BAZA TVA DEDUCTIBIL - c) - - - - Baza TVA 19% - TVA deductibila 19%(Baza) - - - - Baza TVA 9% - TVA deductibila 9%(Baza) - - - - Baza TVA 5% - TVA deductibila 5%(Baza) - - - - - Baza TVA 0% - TVA deductibila 0%(Baza) - - - - - diff --git a/addons/l10n_ro/account_tax_code_template.xml b/addons/l10n_ro/account_tax_code_template.xml new file mode 100644 index 00000000000..21b99b02e28 --- /dev/null +++ b/addons/l10n_ro/account_tax_code_template.xml @@ -0,0 +1,186 @@ + + + + +# +# Tax Code Template Configuration +# + + Decont TVA + + + + TVA COLECTATA + b) + + + + + TVA 24% + TVA colectata 24% + + + + TVA 19% + TVA colectata 19% + + + + TVA 9% + TVA colectata 9% + + + + TVA 5% + TVA colectata 5% + + + + + TVA Taxare inversa + TVA + + + + + TVA 0% + TVA colectata 0% + + + + + BAZA TVA COLECTAT + a) + + + + Baza TVA 24% + TVA colectata 24%(Baza) + + + + Baza TVA 19% + TVA colectata 19%(Baza) + + + + Baza TVA 9% + TVA colectata 9%(Baza) + + + + Baza TVA 5% + TVA colectata 5%(Baza) + + + + + Baza TVA Taxare inversa + Baza + + + + + Baza TVA 0% + TVA colectata 0%(Baza) + + + + + + TVA DEDUCTIBILA + d) + + + + TVA 24% + TVA deductibila 24% + + + + TVA 19% + TVA deductibila 19% + + + + TVA 9% + TVA deductibila 9% + + + + TVA 5% + TVA deductibila 5% + + + + + TVA 0% + TVA deductibila 0% + + + + BAZA TVA DEDUCTIBIL + c) + + + + Baza TVA 24% + TVA deductibila 24%(Baza) + + + + Baza TVA 19% + TVA deductibila 19%(Baza) + + + + Baza TVA 9% + TVA deductibila 9%(Baza) + + + + Baza TVA 5% + TVA deductibila 5%(Baza) + + + + + Baza TVA 0% + TVA deductibila 0%(Baza) + + + + + BAZA TVA NEEXIGIBIL + e) + + + + Baza TVA neexigibil - colectat + TVA neexigibil - colectat (Baza) + + + + Baza TVA neexigibil - deductibil + TVA neexigibil - deductibil (Baza) + + + + TVA NEEXIGIBIL + f) + + + + TVA neexigibil - colectat + TVA neexigibil - colectat + + + + TVA neexigibil - deductibil + TVA neexigibil - deductibil + + + + + + diff --git a/addons/l10n_ro/account_tax_template.xml b/addons/l10n_ro/account_tax_template.xml new file mode 100644 index 00000000000..cfb6c6aca1a --- /dev/null +++ b/addons/l10n_ro/account_tax_template.xml @@ -0,0 +1,170 @@ + + + + + + TVA colectat 0% + 0.000000 + percent + + + + 1.00 + + 1.00 + + -1.00 + + -1.00 + + + + TVA colectat 5% + 0.050000 + percent + + + + + + + -1.00 + -1.00 + 1.00 + 1.00 + + + + TVA colectat 9% + 0.090000 + percent + + + + + + + -1.00 + -1.00 + 1.00 + 1.00 + + + + TVA colectat 19% + 0.190000 + percent + + + + + + + -1.00 + -1.00 + 1.00 + 1.00 + + + + + TVA colectat 24% + 0.240000 + percent + + + + + + + -1.00 + -1.00 + 1.00 + 1.00 + + + + + TVA deductibil 0% + 0.000000 + percent + + + + 1.00 + + 1.00 + + -1.00 + + -1.00 + + + + TVA deductibil 5% + 0.050000 + percent + + + + + + + -1.00 + -1.00 + 1.00 + 1.00 + + + + TVA deductibil 9% + 0.090000 + percent + + + + + + + -1.00 + -1.00 + 1.00 + 1.00 + + + + TVA deductibil 19% + 0.190000 + percent + + + + + + + -1.00 + -1.00 + 1.00 + 1.00 + + + + + TVA deductibil 24% + 0.240000 + percent + + + + + + + -1.00 + -1.00 + 1.00 + 1.00 + + + + + diff --git a/addons/l10n_ro/i18n/ar.po b/addons/l10n_ro/i18n/ar.po deleted file mode 100644 index 7773868c897..00000000000 --- a/addons/l10n_ro/i18n/ar.po +++ /dev/null @@ -1,132 +0,0 @@ -# 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: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2012-01-10 21:54+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-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "الدائنون" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "خطأ ! لا يمكنك إنشاء أعضاء مرتبطين و متداخلين." - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "الأسهم" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "الدخل" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "ضريبة" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "نقدي" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "الخصوم" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "مدفوعات" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "أصل" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "عرض" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "الأسهم" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "شريك" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "مصروف" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "خاص" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "إعداد شجرة الحسابات من قالب. ستم سؤالك عن اسم المنشأة، القالب المتبع، و " -#~ "إعداد أكواد الحسابات و البنوك، بالإضافة إلي يوميات العملة. و لذلك سيكون هناك " -#~ "قالب جديد. \n" -#~ "\tهذه لإعداد الحسابات." diff --git a/addons/l10n_ro/i18n/ca.po b/addons/l10n_ro/i18n/ca.po deleted file mode 100644 index 1bb4a6ea94f..00000000000 --- a/addons/l10n_ro/i18n/ca.po +++ /dev/null @@ -1,146 +0,0 @@ -# Catalan translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2011-02-15 15:37+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Catalan \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Empresa" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Nombre de registre al Registre de Comerç" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Genera el pla de comptes des d'una plantilla de pla. Se us demanarà el nom " -#~ "de l'empresa, la plantilla de pla a seguir, i el número de dígits per " -#~ "generar el codi dels vostres comptes, compte bancari, i divisa per crear els " -#~ "vostres diaris. Per tant, es genera una còpia directa de la plantilla del " -#~ "pla de comptes.\n" -#~ "\t Aquest és el mateix assistent que s'executa des de " -#~ "Comptabilitat/Configuració/Comptabilitat financera/Comptes financers/Genera " -#~ "pla comptable des d'una plantilla de pla comptable." - -#~ msgid "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." -#~ msgstr "" -#~ "Aquest és el mòdul que gestiona el pla comptable, estructura d'Impostos i " -#~ "número de Registre per a Romania amb OpenERP." - -#~ msgid "Romania - Chart of Accounts" -#~ msgstr "Romania - Pla comptable" diff --git a/addons/l10n_ro/i18n/da.po b/addons/l10n_ro/i18n/da.po deleted file mode 100644 index 89b6fa62b38..00000000000 --- a/addons/l10n_ro/i18n/da.po +++ /dev/null @@ -1,118 +0,0 @@ -# Danish 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: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2012-01-27 09:01+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Danish \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "" diff --git a/addons/l10n_ro/i18n/es.po b/addons/l10n_ro/i18n/es.po deleted file mode 100644 index 0c6e92c9019..00000000000 --- a/addons/l10n_ro/i18n/es.po +++ /dev/null @@ -1,146 +0,0 @@ -# Spanish translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2011-02-15 15:37+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Spanish \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Empresa" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Número de registro en el Registro de Comercio" - -#~ msgid "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." -#~ msgstr "" -#~ "Este es el módulo que gestiona el plan contable, estructura de Impuestos y " -#~ "Número de Registro para Rumanía en Open ERP." - -#~ msgid "Romania - Chart of Accounts" -#~ msgstr "Rumanía - Plan Contable" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Generar Plan Contable a partir de una plantilla de Plan. Se le preguntará " -#~ "por el nombre de la compañía, la plantilla de plan contable a seguir, el no. " -#~ "de dígitos para generar el código de sus cuentas y la cuenta bancaria, la " -#~ "divisa para crear Diarios. Por lo tanto, la copia exacta de la plantilla de " -#~ "plan contable será generada.\n" -#~ "Este es el mismo asistente que se ejecuta desde Gestión " -#~ "Financiera/Configuración/Contabilidad Financiera/Contabilidad " -#~ "Financiera/Generar Plan Contable a partir de una Plantilla de Plan." diff --git a/addons/l10n_ro/i18n/es_CR.po b/addons/l10n_ro/i18n/es_CR.po deleted file mode 100644 index b692c7b474d..00000000000 --- a/addons/l10n_ro/i18n/es_CR.po +++ /dev/null @@ -1,147 +0,0 @@ -# Spanish translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2012-02-17 19:37+0000\n" -"Last-Translator: Freddy Gonzalez \n" -"Language-Team: Spanish \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" -"Language: es\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "A cobrar" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "Inmobilización" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "¡Error! No puede crear miembros asociados recursivamente." - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "Provisiones" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "Stocks" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "Ingreso" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "Impuesto" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "Compromiso" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "Efectivo" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "Responsabilidad" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "A pagar" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "Activo" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "Vista" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "Equidad" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Empresa" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "Gastos" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "Especial" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Número de registro en el Registro de Comercio" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Generar Plan Contable a partir de una plantilla de Plan. Se le preguntará " -#~ "por el nombre de la compañía, la plantilla de plan contable a seguir, el no. " -#~ "de dígitos para generar el código de sus cuentas y la cuenta bancaria, la " -#~ "divisa para crear Diarios. Por lo tanto, la copia exacta de la plantilla de " -#~ "plan contable será generada.\n" -#~ "Este es el mismo asistente que se ejecuta desde Gestión " -#~ "Financiera/Configuración/Contabilidad Financiera/Contabilidad " -#~ "Financiera/Generar Plan Contable a partir de una Plantilla de Plan." - -#~ msgid "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." -#~ msgstr "" -#~ "Este es el módulo que gestiona el plan contable, estructura de Impuestos y " -#~ "Número de Registro para Rumanía en Open ERP." - -#~ msgid "Romania - Chart of Accounts" -#~ msgstr "Rumanía - Plan Contable" diff --git a/addons/l10n_ro/i18n/es_MX.po b/addons/l10n_ro/i18n/es_MX.po deleted file mode 100644 index ac016c5ddf7..00000000000 --- a/addons/l10n_ro/i18n/es_MX.po +++ /dev/null @@ -1,67 +0,0 @@ -# Spanish translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2011-01-07 06:16+0000\n" -"PO-Revision-Date: 2011-02-15 15:37+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Spanish \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-09-05 05:59+0000\n" -"X-Generator: Launchpad (build 13830)\n" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Número de registro en el Registro de Comercio" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:ir.actions.todo,note:l10n_ro.config_call_account_template_ro -msgid "" -"Generate Chart of Accounts from a Chart Template. You will be asked to pass " -"the name of the company, the chart template to follow, the no. of digits to " -"generate the code for your accounts and Bank account, currency to create " -"Journals. Thus,the pure copy of chart Template is generated.\n" -"\tThis is the same wizard that runs from Financial " -"Management/Configuration/Financial Accounting/Financial Accounts/Generate " -"Chart of Accounts from a Chart Template." -msgstr "" -"Generar Plan Contable a partir de una plantilla de Plan. Se le preguntará " -"por el nombre de la compañía, la plantilla de plan contable a seguir, el no. " -"de dígitos para generar el código de sus cuentas y la cuenta bancaria, la " -"divisa para crear Diarios. Por lo tanto, la copia exacta de la plantilla de " -"plan contable será generada.\n" -"Este es el mismo asistente que se ejecuta desde Gestión " -"Financiera/Configuración/Contabilidad Financiera/Contabilidad " -"Financiera/Generar Plan Contable a partir de una Plantilla de Plan." - -#. module: l10n_ro -#: model:ir.module.module,shortdesc:l10n_ro.module_meta_information -msgid "Romania - Chart of Accounts" -msgstr "Rumanía - Plan Contable" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Empresa" - -#. module: l10n_ro -#: model:ir.module.module,description:l10n_ro.module_meta_information -msgid "" -"This is the module to manage the accounting chart, VAT structure and " -"Registration Number for Romania in Open ERP." -msgstr "" -"Este es el módulo que gestiona el plan contable, estructura de Impuestos y " -"Número de Registro para Rumanía en Open ERP." diff --git a/addons/l10n_ro/i18n/es_PY.po b/addons/l10n_ro/i18n/es_PY.po deleted file mode 100644 index 16ce09305fc..00000000000 --- a/addons/l10n_ro/i18n/es_PY.po +++ /dev/null @@ -1,146 +0,0 @@ -# Spanish (Paraguay) translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2011-03-21 16:30+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Spanish (Paraguay) \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Socio" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Número de registro en el Registro de Comercio" - -#~ msgid "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." -#~ msgstr "" -#~ "Este es el módulo que gestiona el plan contable, estructura de Impuestos y " -#~ "Número de Registro para Rumanía en Open ERP." - -#~ msgid "Romania - Chart of Accounts" -#~ msgstr "Rumanía - Plan Contable" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Generar el plan contable a partir de una plantilla de plan contable. Se le " -#~ "pedirá el nombre de la compañía, la plantilla de plan contable a utilizar, " -#~ "el número de dígitos para generar el código de las cuentas y de la cuenta " -#~ "bancaria, la moneda para crear los diarios. Así pues, se genere una copia " -#~ "exacta de la plantilla de plan contable.\n" -#~ "\tEste es el mismo asistente que se ejecuta desde Contabilidad y finanzas / " -#~ "Configuración / Contabilidad financiera / Cuentas financieras / Generar el " -#~ "plan contable a partir de una plantilla de plan contable." diff --git a/addons/l10n_ro/i18n/es_VE.po b/addons/l10n_ro/i18n/es_VE.po deleted file mode 100644 index ac016c5ddf7..00000000000 --- a/addons/l10n_ro/i18n/es_VE.po +++ /dev/null @@ -1,67 +0,0 @@ -# Spanish translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2011-01-07 06:16+0000\n" -"PO-Revision-Date: 2011-02-15 15:37+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Spanish \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2011-09-05 05:59+0000\n" -"X-Generator: Launchpad (build 13830)\n" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Número de registro en el Registro de Comercio" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:ir.actions.todo,note:l10n_ro.config_call_account_template_ro -msgid "" -"Generate Chart of Accounts from a Chart Template. You will be asked to pass " -"the name of the company, the chart template to follow, the no. of digits to " -"generate the code for your accounts and Bank account, currency to create " -"Journals. Thus,the pure copy of chart Template is generated.\n" -"\tThis is the same wizard that runs from Financial " -"Management/Configuration/Financial Accounting/Financial Accounts/Generate " -"Chart of Accounts from a Chart Template." -msgstr "" -"Generar Plan Contable a partir de una plantilla de Plan. Se le preguntará " -"por el nombre de la compañía, la plantilla de plan contable a seguir, el no. " -"de dígitos para generar el código de sus cuentas y la cuenta bancaria, la " -"divisa para crear Diarios. Por lo tanto, la copia exacta de la plantilla de " -"plan contable será generada.\n" -"Este es el mismo asistente que se ejecuta desde Gestión " -"Financiera/Configuración/Contabilidad Financiera/Contabilidad " -"Financiera/Generar Plan Contable a partir de una Plantilla de Plan." - -#. module: l10n_ro -#: model:ir.module.module,shortdesc:l10n_ro.module_meta_information -msgid "Romania - Chart of Accounts" -msgstr "Rumanía - Plan Contable" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Empresa" - -#. module: l10n_ro -#: model:ir.module.module,description:l10n_ro.module_meta_information -msgid "" -"This is the module to manage the accounting chart, VAT structure and " -"Registration Number for Romania in Open ERP." -msgstr "" -"Este es el módulo que gestiona el plan contable, estructura de Impuestos y " -"Número de Registro para Rumanía en Open ERP." diff --git a/addons/l10n_ro/i18n/gl.po b/addons/l10n_ro/i18n/gl.po deleted file mode 100644 index d6535bd4509..00000000000 --- a/addons/l10n_ro/i18n/gl.po +++ /dev/null @@ -1,145 +0,0 @@ -# Galician translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2011-03-02 23:31+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Galician \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Socio" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Número de rexistro no Rexistro de Comercio" - -#~ msgid "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." -#~ msgstr "" -#~ "Este é o módulo que xestiona o plan contable, a estrutura dos Impostos e o " -#~ "Número de Rexistro para Romanía no Open ERP." - -#~ msgid "Romania - Chart of Accounts" -#~ msgstr "Romanía - Plan contable" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Xerar o Plan Contable a partir dun modelo de Plan. Pediráselle o nome da " -#~ "compañía, o modelo do plan contable a seguir, o número de díxitos para xerar " -#~ "o código das súas contas e a conta bancaria, a divisa para crear Diarios. " -#~ "Deste xeito xerarase a copia exacta do modelo do plan contable. Este é o " -#~ "mesmo asistente que se executa desde Xestión " -#~ "financeira/Configuración/Contabilidade financeira/Contabilidade " -#~ "financeira/Xerar Plan Contable a partir dun modelo de plan." diff --git a/addons/l10n_ro/i18n/it.po b/addons/l10n_ro/i18n/it.po deleted file mode 100644 index 6bee2ebd638..00000000000 --- a/addons/l10n_ro/i18n/it.po +++ /dev/null @@ -1,146 +0,0 @@ -# Italian translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2011-02-15 15:37+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Italian \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Partner" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Numero di registrazione alla Camera di Commercio" - -#~ msgid "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." -#~ msgstr "" -#~ "Questo è il modulo per gestire il piano dei conti, la partita IVA e il " -#~ "numero di registrazione per la Romania in OpenERP." - -#~ msgid "Romania - Chart of Accounts" -#~ msgstr "Romania - Piano dei conti" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Genera il Piano dei Conti da un Modello. Vi verrà richiesto di passare il " -#~ "nome dell'azienda, il modello da seguire, il numero di decimali per generare " -#~ "il codice dei tuoi conti e, per il conto della Banca, la valuta per creare " -#~ "il Libro Giornale. Così una copia vergine del Piano dei Conti, derivatante " -#~ "dal modello, viene generata.\n" -#~ "\tQuesto è la stessa procedura automatica che viene lanciata da: Gestione " -#~ "Finanziaria / Configurazione / Contabilità / Conti finanziari / Genera il " -#~ "Piano dei conti da un modello." diff --git a/addons/l10n_ro/i18n/l10n_ro.pot b/addons/l10n_ro/i18n/l10n_ro.pot deleted file mode 100644 index 12fc3f8b5f8..00000000000 --- a/addons/l10n_ro/i18n/l10n_ro.pot +++ /dev/null @@ -1,117 +0,0 @@ -# Translation of OpenERP Server. -# This file contains the translation of the following modules: -# * l10n_ro -# -msgid "" -msgstr "" -"Project-Id-Version: OpenERP Server 7.0alpha\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2012-11-24 02:53+0000\n" -"Last-Translator: <>\n" -"Language-Team: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: \n" -"Plural-Forms: \n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "" - diff --git a/addons/l10n_ro/i18n/pt.po b/addons/l10n_ro/i18n/pt.po deleted file mode 100644 index d86aac0c2ac..00000000000 --- a/addons/l10n_ro/i18n/pt.po +++ /dev/null @@ -1,118 +0,0 @@ -# Portuguese 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: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2012-04-23 14:56+0000\n" -"Last-Translator: FULL NAME \n" -"Language-Team: Portuguese \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "Recebível" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "Erro! Não pode criar membros recursivos." - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "Provisões" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "Stocks" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "Imposto" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "Dinheiro" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "Pagável" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "Vista" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Parceiro" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "Despesas" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "Especial" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "" diff --git a/addons/l10n_ro/i18n/pt_BR.po b/addons/l10n_ro/i18n/pt_BR.po deleted file mode 100644 index a1cfa91235a..00000000000 --- a/addons/l10n_ro/i18n/pt_BR.po +++ /dev/null @@ -1,145 +0,0 @@ -# Brazilian Portuguese translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2011-03-10 23:17+0000\n" -"Last-Translator: Emerson \n" -"Language-Team: Brazilian Portuguese \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Partner" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Registration number at the Registry of Commerce" - -#~ msgid "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." -#~ msgstr "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." - -#~ msgid "Romania - Chart of Accounts" -#~ msgstr "Romania - Chart of Accounts" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." diff --git a/addons/l10n_ro/i18n/ro.po b/addons/l10n_ro/i18n/ro.po deleted file mode 100644 index 3d17e010d2f..00000000000 --- a/addons/l10n_ro/i18n/ro.po +++ /dev/null @@ -1,146 +0,0 @@ -# Romanian translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2011-02-15 15:37+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-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "Incasari" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "Imobilizare" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "Eroare ! Nu puteti crea membri asociati recursiv." - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "Provizii" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "Stocuri" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "Venit" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "Taxa" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "Angajament" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "Numerar" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "Raspundere" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "Plati" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "Active" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "Vizualizeaza" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "Capital" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Partener" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "Cheltuieli" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "Special" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Numarul de inregistrare la Registrul Comertului" - -#~ msgid "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." -#~ msgstr "" -#~ "Acesta este modulul pentru gestionarea planului de conturi, structura TVA-" -#~ "ului si Numărul de Inregistrare pentru Romania in OpenERP." - -#~ msgid "Romania - Chart of Accounts" -#~ msgstr "Romania - Plan de Conturi" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Genereaza Planul de Conturi dintr-un Sablon. Vi se va cere sa specificati " -#~ "numele companiei, sablonul de urmat, numarul de cifre pentru generarea " -#~ "codului pentru conturile dumneavoastra si Contul bancar, moneda pentru " -#~ "crearea Jurnalelor. Astfel, este generata copia Sablonului planului de " -#~ "conturi.\n" -#~ "\t Acesta este acelasi asistent care ruleaza din Managementul " -#~ "Financiar/Configurare/Contabilitate Financiara/Conturi Financiare/Genereaza " -#~ "Plan de Conturi dintr-un Sablon de planuri." diff --git a/addons/l10n_ro/i18n/sr@latin.po b/addons/l10n_ro/i18n/sr@latin.po deleted file mode 100644 index 059fb12f2b0..00000000000 --- a/addons/l10n_ro/i18n/sr@latin.po +++ /dev/null @@ -1,146 +0,0 @@ -# Serbian Latin translation for openobject-addons -# Copyright (c) 2011 Rosetta Contributors and Canonical Ltd 2011 -# This file is distributed under the same license as the openobject-addons package. -# FIRST AUTHOR , 2011. -# -msgid "" -msgstr "" -"Project-Id-Version: openobject-addons\n" -"Report-Msgid-Bugs-To: FULL NAME \n" -"POT-Creation-Date: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2011-10-13 14:55+0000\n" -"Last-Translator: Milan Milosevic \n" -"Language-Team: Serbian Latin \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "NRC" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "Partner" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "Registracioni broj pri Trgovinskom registru" - -#~ msgid "" -#~ "This is the module to manage the accounting chart, VAT structure and " -#~ "Registration Number for Romania in Open ERP." -#~ msgstr "" -#~ "Ovo je model za sređivanje računskih tabela, VAT strukture i Registracioni " -#~ "broj za Rumuniju u OPenERP-u" - -#~ msgid "Romania - Chart of Accounts" -#~ msgstr "Rumunija - računske tabele" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Generiše tabelu računâ iz šablona tabelâ. Bićete upitani za ime kompanije, " -#~ "šablon tabelâ koji ćete pratiti, broj cifara za generisanje koda za Vaše " -#~ "naloge i bankovni račun, valuta za pravljenje dnevnika. Na taj način se " -#~ "generiše čista kopija šablona tabelâ.\n" -#~ "\n" -#~ "\tTo je isti setup wizard koji se pokreće iz Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." diff --git a/addons/l10n_ro/i18n/tr.po b/addons/l10n_ro/i18n/tr.po deleted file mode 100644 index 028e41591b7..00000000000 --- a/addons/l10n_ro/i18n/tr.po +++ /dev/null @@ -1,135 +0,0 @@ -# Turkish 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: 2012-11-24 02:53+0000\n" -"PO-Revision-Date: 2012-01-25 17:26+0000\n" -"Last-Translator: Ahmet Altınışık \n" -"Language-Team: Turkish \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Launchpad-Export-Date: 2012-11-25 06:31+0000\n" -"X-Generator: Launchpad (build 16293)\n" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_receivable -msgid "Receivable" -msgstr "Alacak" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_immobilization -msgid "Immobilization" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error ! You cannot create recursive associated members." -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_provision -msgid "Provisions" -msgstr "" - -#. module: l10n_ro -#: field:res.partner,nrc:0 -msgid "NRC" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_stocks -msgid "Stocks" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_income -msgid "Income" -msgstr "Gelir" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_tax -msgid "Tax" -msgstr "Vergi" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_commitment -msgid "Commitment" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_cash -msgid "Cash" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_liability -msgid "Liability" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_payable -msgid "Payable" -msgstr "" - -#. module: l10n_ro -#: constraint:res.partner:0 -msgid "Error: Invalid ean code" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_asset -msgid "Asset" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_view -msgid "View" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_equity -msgid "Equity" -msgstr "" - -#. module: l10n_ro -#: model:ir.model,name:l10n_ro.model_res_partner -msgid "Partner" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_expense -msgid "Expense" -msgstr "" - -#. module: l10n_ro -#: model:account.account.type,name:l10n_ro.account_type_special -msgid "Special" -msgstr "" - -#. module: l10n_ro -#: help:res.partner,nrc:0 -msgid "Registration number at the Registry of Commerce" -msgstr "" - -#~ msgid "" -#~ "Generate Chart of Accounts from a Chart Template. You will be asked to pass " -#~ "the name of the company, the chart template to follow, the no. of digits to " -#~ "generate the code for your accounts and Bank account, currency to create " -#~ "Journals. Thus,the pure copy of chart Template is generated.\n" -#~ "\tThis is the same wizard that runs from Financial " -#~ "Management/Configuration/Financial Accounting/Financial Accounts/Generate " -#~ "Chart of Accounts from a Chart Template." -#~ msgstr "" -#~ "Bir Tablo Şablonundan bir Hesap Tablosu oluşturun. Firma adını girmeniz, " -#~ "hesaplarınızın ve banka hesaplarınızın kodlarının oluşturulması için rakam " -#~ "sayısını, yevmiyeleri oluşturmak için para birimini girmeniz istenecektir. " -#~ "Böylece sade bir hesap planı oluşturumuş olur.\n" -#~ "\t Bu sihirbaz, Mali Yönetim/Yapılandırma/Mali Muhasebe/Mali Hesaplar/Tablo " -#~ "Şablonundan Hesap planı Oluşturma menüsünden çalıştırılan sihirbaz ile " -#~ "aynıdır." diff --git a/addons/l10n_ro/partner_view.xml b/addons/l10n_ro/partner_view.xml index b3549e5f5a8..c03d5c9a1a6 100644 --- a/addons/l10n_ro/partner_view.xml +++ b/addons/l10n_ro/partner_view.xml @@ -1,15 +1,16 @@ - - - res.partner.form.ro - - res.partner - - - + + + res.partner.form.ro + + res.partner + + + - - - + + + diff --git a/addons/l10n_ro/res_partner.py b/addons/l10n_ro/res_partner.py old mode 100644 new mode 100755 index 098a92251f4..1cfe7390a77 --- a/addons/l10n_ro/res_partner.py +++ b/addons/l10n_ro/res_partner.py @@ -3,8 +3,7 @@ ############################################################################## # # OpenERP, Open Source Management Solution -# Copyright (C) 2009 (). All Rights Reserved -# $Id$ +# Copyright (C) 2012 (). All Rights Reserved # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -29,6 +28,10 @@ class res_partner(osv.osv): _columns = { 'nrc' : fields.char('NRC', size=16, help='Registration number at the Registry of Commerce'), } + _sql_constraints = [ + ('vat_uniq', 'unique (vat)', 'The vat of the partner must be unique !'), + ('nrc_uniq', 'unique (nrc)', 'The code of the partner must be unique !') + ] res_partner() # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: diff --git a/addons/mail/mail_thread.py b/addons/mail/mail_thread.py index 3503910bb18..67c1420b5aa 100644 --- a/addons/mail/mail_thread.py +++ b/addons/mail/mail_thread.py @@ -403,7 +403,7 @@ class mail_thread(osv.AbstractModel): """ Find partners related to some header fields of the message. """ s = ', '.join([decode(message.get(h)) for h in header_fields if message.get(h)]) return [partner_id for email in tools.email_split(s) - for partner_id in self.pool.get('res.partner').search(cr, uid, [('email', 'ilike', email)], context=context)] + for partner_id in self.pool.get('res.partner').search(cr, uid, [('email', 'ilike', email)], limit=1, context=context)] def _message_find_user_id(self, cr, uid, message, context=None): from_local_part = tools.email_split(decode(message.get('From')))[0] @@ -566,6 +566,10 @@ class mail_thread(osv.AbstractModel): msg = self.message_parse(cr, uid, msg_txt, save_original=save_original, context=context) if strip_attachments: msg.pop('attachments', None) + + # postpone setting msg.partner_ids after message_post, to avoid double notifications + partner_ids = msg.pop('partner_ids', []) + thread_id = False for model, thread_id, custom_values, user_id in routes: if self._name != model: @@ -575,14 +579,24 @@ class mail_thread(osv.AbstractModel): assert thread_id and hasattr(model_pool, 'message_update') or hasattr(model_pool, 'message_new'), \ "Undeliverable mail with Message-Id %s, model %s does not accept incoming emails" % \ (msg['message_id'], model) + + # disabled subscriptions during message_new/update to avoid having the system user running the + # email gateway become a follower of all inbound messages + nosub_ctx = dict(context, mail_nosubscribe=True) if thread_id and hasattr(model_pool, 'message_update'): - model_pool.message_update(cr, user_id, [thread_id], msg, context=context) + model_pool.message_update(cr, user_id, [thread_id], msg, context=nosub_ctx) else: - thread_id = model_pool.message_new(cr, user_id, msg, custom_values, context=context) + thread_id = model_pool.message_new(cr, user_id, msg, custom_values, context=nosub_ctx) else: assert thread_id == 0, "Posting a message without model should be with a null res_id, to create a private message." model_pool = self.pool.get('mail.thread') - model_pool.message_post_user_api(cr, uid, [thread_id], context=context, content_subtype='html', **msg) + new_msg_id = model_pool.message_post_user_api(cr, uid, [thread_id], context=context, content_subtype='html', **msg) + + if partner_ids: + # postponed after message_post, because this is an external message and we don't want to create + # duplicate emails due to notifications + self.pool.get('mail.message').write(cr, uid, [new_msg_id], {'partner_ids': partner_ids}, context=context) + return thread_id def message_new(self, cr, uid, msg_dict, custom_values=None, context=None): @@ -870,7 +884,8 @@ class mail_thread(osv.AbstractModel): return mail_message.create(cr, uid, values, context=context) def message_post_user_api(self, cr, uid, thread_id, body='', subject=False, parent_id=False, - attachment_ids=None, context=None, content_subtype='plaintext', **kwargs): + attachment_ids=None, context=None, content_subtype='plaintext', + extra_email=[], **kwargs): """ Wrapper on message_post, used for user input : - mail gateway - quick reply in Chatter (refer to mail.js), not @@ -882,6 +897,7 @@ class mail_thread(osv.AbstractModel): - type and subtype: comment and mail.mt_comment by default - attachment_ids: supposed not attached to any document; attach them to the related document. Should only be set by Chatter. + - extra_email: [ 'Fabien ', 'al@openerp.com' ] """ ir_attachment = self.pool.get('ir.attachment') mail_message = self.pool.get('mail.message') @@ -890,6 +906,12 @@ class mail_thread(osv.AbstractModel): if content_subtype == 'plaintext': body = tools.plaintext2html(body) + for partner in extra_email: + part_ids = self.pool.get('res.partner').search(cr, uid, [('email', '=', partner)], context=context) + if not part_ids: + part_ids = [self.pool.get('res.partner').name_create(cr, uid, partner, context=context)[0]] + self.message_subscribe(cr, uid, [thread_id], part_ids, context=context) + partner_ids = kwargs.pop('partner_ids', []) if parent_id: parent_message = self.pool.get('mail.message').browse(cr, uid, parent_id, context=context) diff --git a/addons/mail/static/src/css/mail.css b/addons/mail/static/src/css/mail.css index cd389560319..e154e285f39 100644 --- a/addons/mail/static/src/css/mail.css +++ b/addons/mail/static/src/css/mail.css @@ -167,9 +167,6 @@ line-height:24px; text-align: center; } -.openerp_ie .oe_mail .oe_msg .oe_msg_icons span { - -ms-filter: "progid:DXImageTransform.Microsoft.shadow(color=#aaaaaa,strength=2)"; -} .openerp .oe_mail .oe_msg .oe_msg_icons a { text-decoration: none; color: #FFF; @@ -224,6 +221,29 @@ width: 100%; } +/* d) I.E. tweaks for Message action icons */ + +.openerp.openerp_ie .oe_mail .oe_msg .oe_msg_icons a { + color: #C8BFDA; + text-shadow: none; +} +.openerp.openerp_ie .oe_mail .oe_msg .oe_msg_icons .oe_star:hover a{ + color: #FFB700; + text-shadow: none; +} +.openerp.openerp_ie .oe_mail .oe_msg .oe_msg_icons .oe_starred a{ + color: #FFB700; + text-shadow:none; +} +.openerp.openerp_ie .oe_mail .oe_msg .oe_msg_icons .oe_read:hover a{ + color: #7C7BAD; + text-shadow: none; +} +.openerp.openerp_ie .oe_mail .oe_msg .oe_msg_icons .oe_unread:hover a{ + color: #7C7BAD; + text-shadow: none; +} + /* --------------------- ATTACHMENTS --------------------- */ .openerp .oe_mail .oe_msg_attachment_list{ diff --git a/addons/portal_anonymous/security/ir.model.access.csv b/addons/portal_anonymous/security/ir.model.access.csv index a26b600288d..24c29200230 100644 --- a/addons/portal_anonymous/security/ir.model.access.csv +++ b/addons/portal_anonymous/security/ir.model.access.csv @@ -1,3 +1,3 @@ id,name,model_id:id,group_id:id,perm_read,perm_write,perm_create,perm_unlink -access_mail_message_portal,mail.message.portal,mail.model_mail_message,portal.group_anonymous,1,0,0,0 +access_mail_message_portal,mail.message.portal,mail.model_mail_message,portal.group_anonymous,1,0,1,0 access_res_partner,res.partner,base.model_res_partner,portal.group_anonymous,1,0,0,0 diff --git a/addons/project_issue/project_issue_view.xml b/addons/project_issue/project_issue_view.xml index bb7bca59c51..77375450e9a 100644 --- a/addons/project_issue/project_issue_view.xml +++ b/addons/project_issue/project_issue_view.xml @@ -95,9 +95,8 @@ - - - + + @@ -105,14 +104,12 @@ - - + - - - + +