diff --git a/.eslintignore b/.eslintignore new file mode 100644 index 0000000000..2fd65d307d --- /dev/null +++ b/.eslintignore @@ -0,0 +1,9 @@ +frappe/public/js/lib/* +frappe/public/js/frappe/misc/tests/* +frappe/public/js/frappe/views/test_runner.js +frappe/core/doctype/doctype/boilerplate/* +frappe/core/doctype/report/boilerplate/* +frappe/public/js/frappe/class.js +frappe/templates/includes/* +frappe/tests/testcafe/* +frappe/www/website_script.js \ No newline at end of file diff --git a/.eslintrc b/.eslintrc new file mode 100644 index 0000000000..c8efd4375e --- /dev/null +++ b/.eslintrc @@ -0,0 +1,122 @@ +{ + "env": { + "browser": true, + "node": true, + "es6": true + }, + "extends": "eslint:recommended", + "rules": { + "indent": [ + "error", + "tab", + { "SwitchCase": 1 } + ], + "linebreak-style": [ + "error", + "unix" + ], + "quotes": [ + "off" + ], + "semi": [ + "warn", + "always" + ], + "camelcase": [ + "off" + ], + "no-unused-vars": [ + "warn" + ], + "no-redeclare": [ + "warn" + ], + "no-console": [ + "warn" + ], + "no-extra-boolean-cast": [ + "off" + ], + "no-control-regex": [ + "off" + ] + }, + "root": true, + "globals": { + "frappe": true, + "$": true, + "jQuery": true, + "moment": true, + "hljs": true, + "Awesomplete": true, + "CalHeatMap": true, + "Sortable": true, + "Showdown": true, + "Taggle": true, + "Gantt": true, + "Slick": true, + "PhotoSwipe": true, + "PhotoSwipeUI_Default": true, + "fluxify": true, + "io": true, + "c3": true, + "__": true, + "_p": true, + "_f": true, + "repl": true, + "Class": true, + "locals": true, + "cint": true, + "cstr": true, + "cur_frm": true, + "cur_dialog": true, + "cur_page": true, + "cur_list": true, + "cur_tree": true, + "msg_dialog": true, + "is_null": true, + "in_list": true, + "has_common": true, + "has_words": true, + "validate_email": true, + "get_number_format": true, + "format_number": true, + "format_currency": true, + "comment_when": true, + "replace_newlines": true, + "open_url_post": true, + "toTitle": true, + "lstrip": true, + "strip": true, + "strip_html": true, + "replace_all": true, + "flt": true, + "precision": true, + "md5": true, + "CREATE": true, + "AMEND": true, + "CANCEL": true, + "copy_dict": true, + "get_number_format_info": true, + "print_table": true, + "Layout": true, + "web_form_settings": true, + "$c": true, + "$a": true, + "$i": true, + "$bg": true, + "$y": true, + "$c_obj": true, + "refresh_many": true, + "refresh_field": true, + "toggle_field": true, + "get_field_obj": true, + "get_query_params": true, + "unhide_field": true, + "hide_field": true, + "set_field_options": true, + "getCookie": true, + "getCookies": true, + "get_url_arg": true + } +} diff --git a/.travis.yml b/.travis.yml index ef2bcbe7fe..36379390b8 100644 --- a/.travis.yml +++ b/.travis.yml @@ -4,11 +4,17 @@ dist: trusty python: - "2.7" +addons: + apt: + sources: + - google-chrome + packages: + - google-chrome-stable + services: - mysql before_install: - - export CHROME_BIN=chromium-browser - export DISPLAY=:99.0 - sh -e /etc/init.d/xvfb start @@ -18,26 +24,24 @@ install: - wget https://raw.githubusercontent.com/frappe/bench/master/playbooks/install.py - sudo python install.py --develop --user travis --without-bench-setup - sudo pip install -e ~/bench - - npm install -g testcafe - rm $TRAVIS_BUILD_DIR/.git/shallow - cd ~/ && bench init frappe-bench --frappe-path $TRAVIS_BUILD_DIR - cp -r $TRAVIS_BUILD_DIR/test_sites/test_site ~/frappe-bench/sites/ -script: - - set -e - - bench --verbose run-tests - - bench reinstall --yes - - testcafe chrome apps/frappe/frappe/tests/testcafe/ - before_script: - mysql -u root -ptravis -e 'create database test_frappe' - echo "USE mysql;\nCREATE USER 'test_frappe'@'localhost' IDENTIFIED BY 'test_frappe';\nFLUSH PRIVILEGES;\n" | mysql -u root -ptravis - echo "USE mysql;\nGRANT ALL PRIVILEGES ON \`test_frappe\`.* TO 'test_frappe'@'localhost';\n" | mysql -u root -ptravis - cd ~/frappe-bench - - npm install babel-core less chokidar babel-preset-es2015 babel-preset-es2016 babel-preset-es2017 babel-preset-babili - bench use test_site - bench reinstall --yes - bench start & - sleep 10 + +script: + - set -e + - bench --verbose run-tests + - bench reinstall --yes + - bench run-ui-tests --ci diff --git a/frappe/__init__.py b/frappe/__init__.py index f0bceee85a..2503e2506f 100644 --- a/frappe/__init__.py +++ b/frappe/__init__.py @@ -6,6 +6,7 @@ globals attached to frappe module """ from __future__ import unicode_literals, print_function +from six import iteritems from werkzeug.local import Local, release_local import os, sys, importlib, inspect, json @@ -13,7 +14,7 @@ import os, sys, importlib, inspect, json from .exceptions import * from .utils.jinja import get_jenv, get_template, render_template -__version__ = '8.0.71' +__version__ = '8.1.0' __title__ = "Frappe Framework" local = Local() @@ -145,10 +146,12 @@ def init(site, sites_path=None, new_site=False): local.role_permissions = {} local.valid_columns = {} local.new_doc_templates = {} + local.link_count = {} local.jenv = None local.jloader =None local.cache = {} + local.meta_cache = {} local.form_dict = _dict() local.session = _dict() @@ -276,9 +279,9 @@ def msgprint(msg, title=None, raise_exception=0, as_table=False, indicator=None, import inspect if inspect.isclass(raise_exception) and issubclass(raise_exception, Exception): - raise raise_exception, encode(msg) + raise raise_exception(encode(msg)) else: - raise ValidationError, encode(msg) + raise ValidationError(encode(msg)) if flags.mute_messages: _raise_exception() @@ -756,7 +759,7 @@ def get_doc_hooks(): if not hasattr(local, 'doc_events_hooks'): hooks = get_hooks('doc_events', {}) out = {} - for key, value in hooks.iteritems(): + for key, value in iteritems(hooks): if isinstance(key, tuple): for doctype in key: append_hook(out, doctype, value) @@ -1340,4 +1343,18 @@ def safe_eval(code, eval_globals=None, eval_locals=None): eval_globals.update(whitelisted_globals) - return eval(code, eval_globals, eval_locals) \ No newline at end of file + return eval(code, eval_globals, eval_locals) + +def get_active_domains(): + """ get the domains set in the Domain Settings as active domain """ + + active_domains = cache().hget("domains", "active_domains") or None + if active_domains is None: + domains = get_all("Has Domain", filters={ "parent": "Domain Settings" }, + fields=["domain"], distinct=True) + + active_domains = [row.get("domain") for row in domains] + active_domains.append("") + cache().hset("domains", "active_domains", active_domains) + + return active_domains \ No newline at end of file diff --git a/frappe/app.py b/frappe/app.py index 0813e82635..69c90c97ad 100644 --- a/frappe/app.py +++ b/frappe/app.py @@ -5,6 +5,7 @@ from __future__ import unicode_literals import os import MySQLdb +from six import iteritems from werkzeug.wrappers import Request from werkzeug.local import LocalManager @@ -115,7 +116,7 @@ def init_request(request): def make_form_dict(request): frappe.local.form_dict = frappe._dict({ k:v[0] if isinstance(v, (list, tuple)) else v \ - for k, v in (request.form or request.args).iteritems() }) + for k, v in iteritems(request.form or request.args) }) if "_" in frappe.local.form_dict: # _ is passed by $.ajax so that the request is not cached by the browser. So, remove _ from form_dict diff --git a/frappe/boot.py b/frappe/boot.py index 7f6edf8322..d413d03fb6 100644 --- a/frappe/boot.py +++ b/frappe/boot.py @@ -2,6 +2,9 @@ # MIT License. See license.txt from __future__ import unicode_literals + +from six import iteritems + """ bootstrap client session """ @@ -37,6 +40,8 @@ def get_bootinfo(): bootinfo.module_list = [] load_desktop_icons(bootinfo) bootinfo.letter_heads = get_letter_heads() + bootinfo.active_domains = frappe.get_active_domains() + bootinfo.all_domains = [d.get("name") for d in frappe.get_all("Domain")] bootinfo.module_app = frappe.local.module_app bootinfo.single_types = frappe.db.sql_list("""select name from tabDocType @@ -69,6 +74,7 @@ def get_bootinfo(): bootinfo.treeviews = frappe.get_hooks("treeviews") or [] bootinfo.lang_dict = get_lang_dict() bootinfo.feedback_triggers = get_enabled_feedback_trigger() + bootinfo.gsuite_enabled = get_gsuite_status() bootinfo.update(get_email_accounts(user=frappe.session.user)) return bootinfo @@ -176,7 +182,7 @@ def load_translations(bootinfo): messages[name] = frappe._(name) # only untranslated - messages = {k:v for k, v in messages.iteritems() if k!=v} + messages = {k:v for k, v in iteritems(messages) if k!=v} bootinfo["__messages"] = messages @@ -237,4 +243,7 @@ def get_unseen_notes(): return frappe.db.sql('''select name, title, content, notify_on_every_login from tabNote where notify_on_login=1 and expire_notification_on > %s and %s not in (select user from `tabNote Seen By` nsb - where nsb.parent=tabNote.name)''', (frappe.utils.now(), frappe.session.user), as_dict=True) \ No newline at end of file + where nsb.parent=tabNote.name)''', (frappe.utils.now(), frappe.session.user), as_dict=True) + +def get_gsuite_status(): + return (frappe.get_value('Gsuite Settings', None, 'enable') == '1') diff --git a/frappe/build.js b/frappe/build.js index 1caaa0fcb3..50e3d7ee8c 100644 --- a/frappe/build.js +++ b/frappe/build.js @@ -25,7 +25,7 @@ const action = process.argv[2] || '--build'; if (['--build', '--watch'].indexOf(action) === -1) { console.log('Invalid argument: ', action); - return; + process.exit(); } if (action === '--build') { @@ -272,7 +272,6 @@ function watch_js(ondirty) { if (sources.includes(filename)) { pack(target, sources); ondirty && ondirty(target); - break; } } }); diff --git a/frappe/build.py b/frappe/build.py index 9e7f928d03..6c86518f18 100644 --- a/frappe/build.py +++ b/frappe/build.py @@ -5,6 +5,8 @@ from __future__ import unicode_literals, print_function from frappe.utils.minify import JavascriptMinify import subprocess +from six import iteritems + """ Build the `public` folders and setup languages """ @@ -87,7 +89,7 @@ def make_asset_dirs(make_copy=False): def build(no_compress=False, verbose=False): assets_path = os.path.join(frappe.local.sites_path, "assets") - for target, sources in get_build_maps().iteritems(): + for target, sources in iteritems(get_build_maps()): pack(os.path.join(assets_path, target), sources, no_compress, verbose) def get_build_maps(): @@ -100,7 +102,7 @@ def get_build_maps(): if os.path.exists(path): with open(path) as f: try: - for target, sources in json.loads(f.read()).iteritems(): + for target, sources in iteritems(json.loads(f.read())): # update app path source_paths = [] for source in sources: @@ -182,7 +184,7 @@ def scrub_html_template(content): return content.replace("'", "\'") def files_dirty(): - for target, sources in get_build_maps().iteritems(): + for target, sources in iteritems(get_build_maps()): for f in sources: if ':' in f: f, suffix = f.split(':') if not os.path.exists(f) or os.path.isdir(f): continue diff --git a/frappe/client.py b/frappe/client.py index 012f76e2ca..8489542943 100644 --- a/frappe/client.py +++ b/frappe/client.py @@ -8,6 +8,8 @@ import frappe.model import frappe.utils import json, os +from six import iteritems + ''' Handle RESTful requests that are mapped to the `/api/resource` route. @@ -38,7 +40,7 @@ def get(doctype, name=None, filters=None): if filters and not name: name = frappe.db.get_value(doctype, json.loads(filters)) if not name: - raise Exception, "No document found for given filters" + frappe.throw(_("No document found for given filters")) doc = frappe.get_doc(doctype, name) if not doc.has_permission("read"): @@ -228,7 +230,7 @@ def bulk_update(docs): failed_docs = [] for doc in docs: try: - ddoc = {key: val for key, val in doc.iteritems() if key not in ['doctype', 'docname']} + ddoc = {key: val for key, val in iteritems(doc) if key not in ['doctype', 'docname']} doctype = doc['doctype'] docname = doc['docname'] doc = frappe.get_doc(doctype, docname) diff --git a/frappe/commands/__init__.py b/frappe/commands/__init__.py index e944aeb9cf..51cb08fbae 100644 --- a/frappe/commands/__init__.py +++ b/frappe/commands/__init__.py @@ -29,7 +29,10 @@ def pass_context(f): ps = pstats.Stats(pr, stream=s)\ .sort_stats('cumtime', 'tottime', 'ncalls') ps.print_stats() - print(s.getvalue()) + + # print the top-100 + for line in s.getvalue().splitlines()[:100]: + print(line) return ret diff --git a/frappe/commands/site.py b/frappe/commands/site.py index be5cd72493..5773278835 100755 --- a/frappe/commands/site.py +++ b/frappe/commands/site.py @@ -2,6 +2,7 @@ from __future__ import unicode_literals, absolute_import, print_function import click import hashlib, os, sys import frappe +from frappe import _ from _mysql_exceptions import ProgrammingError from frappe.commands import pass_context, get_site from frappe.commands.scheduler import _is_scheduler_enabled @@ -45,7 +46,7 @@ def _new_site(db_name, site, mariadb_root_username=None, mariadb_root_password=N try: # enable scheduler post install? enable_scheduler = _is_scheduler_enabled() - except: + except Exception: enable_scheduler = False make_site_dirs() @@ -122,11 +123,12 @@ def restore(context, sql_file_path, mariadb_root_username=None, mariadb_root_pas @pass_context def reinstall(context, admin_password=None, yes=False): "Reinstall site ie. wipe all data and start over" + site = get_site(context) + _reinstall(site, admin_password, yes, verbose=context.verbose) +def _reinstall(site, admin_password=None, yes=False, verbose=False): if not yes: click.confirm('This will wipe your database. Are you sure you want to reinstall?', abort=True) - - site = get_site(context) try: frappe.init(site=site) frappe.connect() @@ -141,7 +143,7 @@ def reinstall(context, admin_password=None, yes=False): frappe.destroy() frappe.init(site=site) - _new_site(frappe.conf.db_name, site, verbose=context.verbose, force=True, reinstall=True, + _new_site(frappe.conf.db_name, site, verbose=verbose, force=True, reinstall=True, install_apps=installed, admin_password=admin_password) @click.command('install-app') @@ -373,9 +375,8 @@ def _drop_site(site, root_login='root', root_password=None, archived_sites_path= def move(dest_dir, site): - import os if not os.path.isdir(dest_dir): - raise Exception, "destination is not a directory or does not exist" + raise Exception("destination is not a directory or does not exist") frappe.init(site) old_path = frappe.utils.get_site_path() @@ -447,7 +448,7 @@ def _set_limits(context, site, limits): for limit, value in limits: if limit not in ('emails', 'space', 'users', 'email_group', 'expiry', 'support_email', 'support_chat', 'upgrade_url'): - frappe.throw('Invalid limit {0}'.format(limit)) + frappe.throw(_('Invalid limit {0}').format(limit)) if limit=='expiry' and value: try: @@ -495,7 +496,7 @@ def set_last_active_for_user(context, user=None): from frappe.core.doctype.user.user import get_system_users from frappe.utils.user import set_last_active_to_now - + site = get_site(context) with frappe.init_site(site): diff --git a/frappe/commands/utils.py b/frappe/commands/utils.py index 9d7d13a1a1..550073f663 100644 --- a/frappe/commands/utils.py +++ b/frappe/commands/utils.py @@ -305,26 +305,45 @@ def console(context): def run_tests(context, app=None, module=None, doctype=None, test=(), driver=None, profile=False, junit_xml_output=False): "Run tests" import frappe.test_runner - from frappe.utils import sel tests = test site = get_site(context) frappe.init(site=site) - if frappe.conf.run_selenium_tests and False: - sel.start(context.verbose, driver) + ret = frappe.test_runner.main(app, module, doctype, context.verbose, tests=tests, + force=context.force, profile=profile, junit_xml_output=junit_xml_output) + if len(ret.failures) == 0 and len(ret.errors) == 0: + ret = 0 - try: - ret = frappe.test_runner.main(app, module, doctype, context.verbose, tests=tests, - force=context.force, profile=profile, junit_xml_output=junit_xml_output) - if len(ret.failures) == 0 and len(ret.errors) == 0: - ret = 0 - finally: - pass - if frappe.conf.run_selenium_tests: - sel.close() + if os.environ.get('CI'): + sys.exit(ret) + +@click.command('run-ui-tests') +@click.option('--app', help="App to run tests on, leave blank for all apps") +@click.option('--ci', is_flag=True, default=False, help="Run in CI environment") +@pass_context +def run_ui_tests(context, app=None, ci=False): + "Run UI tests" + import subprocess + + site = get_site(context) + frappe.init(site=site) + + if app is None: + app = ",".join(frappe.get_installed_apps()) + + cmd = [ + './node_modules/.bin/nightwatch', + '--config', './apps/frappe/frappe/nightwatch.js', + '--app', app, + '--site', site + ] + + if ci: + cmd.extend(['--env', 'ci_server']) - sys.exit(ret) + bench_path = frappe.utils.get_bench_path() + subprocess.call(cmd, cwd=bench_path) @click.command('serve') @click.option('--port', default=8000) @@ -459,6 +478,7 @@ commands = [ request, reset_perms, run_tests, + run_ui_tests, serve, set_config, watch, diff --git a/frappe/config/desktop.py b/frappe/config/desktop.py index 72f3b8bafa..5ac41b59dd 100644 --- a/frappe/config/desktop.py +++ b/frappe/config/desktop.py @@ -64,4 +64,11 @@ def get_data(): "system_manager": 1, "hidden": 1 }, + { + "module_name": 'Contacts', + "type": 'module', + "icon": "octicon octicon-book", + "color": '#FFAEDB', + "hidden": 1, + }, ] diff --git a/frappe/config/integrations.py b/frappe/config/integrations.py index 5eae544c75..92604b716b 100644 --- a/frappe/config/integrations.py +++ b/frappe/config/integrations.py @@ -58,5 +58,20 @@ def get_data(): "description": _("Settings for OAuth Provider"), }, ] + }, + { + "label": _("External Documents"), + "items": [ + { + "type": "doctype", + "name": "GSuite Settings", + "description": _("Enter keys to enable integration with Google GSuite"), + }, + { + "type": "doctype", + "name": "GSuite Templates", + "description": _("Google GSuite Templates to integration with DocTypes"), + }, + ] } ] diff --git a/frappe/config/setup.py b/frappe/config/setup.py index 9780f26b2d..c1604e90f9 100644 --- a/frappe/config/setup.py +++ b/frappe/config/setup.py @@ -128,6 +128,12 @@ def get_data(): "description": _("List of backups available for download"), "icon": "fa fa-download" }, + { + "type": "doctype", + "name": "Deleted Document", + "label": _("Deleted Documents"), + "description": _("Restore or permanently delete a document.") + }, ] }, { @@ -167,7 +173,7 @@ def get_data(): "items": [ { "type": "page", - "label": "Print Format Builder", + "label": _("Print Format Builder"), "name": "print-format-builder", "description": _("Drag and Drop tool to build and customize Print Formats.") }, diff --git a/frappe/email/doctype/contact/__init__.py b/frappe/contacts/__init__.py similarity index 100% rename from frappe/email/doctype/contact/__init__.py rename to frappe/contacts/__init__.py diff --git a/frappe/geo/address_and_contact.py b/frappe/contacts/address_and_contact.py similarity index 97% rename from frappe/geo/address_and_contact.py rename to frappe/contacts/address_and_contact.py index 847ea7039c..f746731754 100644 --- a/frappe/geo/address_and_contact.py +++ b/frappe/contacts/address_and_contact.py @@ -6,7 +6,7 @@ import frappe def load_address_and_contact(doc, key=None): """Loads address list and contact list in `__onload`""" - from frappe.geo.doctype.address.address import get_address_display + from frappe.contacts.doctype.address.address import get_address_display filters = [ ["Dynamic Link", "link_doctype", "=", doc.doctype], diff --git a/frappe/geo/doctype/address/__init__.py b/frappe/contacts/doctype/__init__.py similarity index 100% rename from frappe/geo/doctype/address/__init__.py rename to frappe/contacts/doctype/__init__.py diff --git a/frappe/geo/doctype/address_template/__init__.py b/frappe/contacts/doctype/address/__init__.py similarity index 100% rename from frappe/geo/doctype/address_template/__init__.py rename to frappe/contacts/doctype/address/__init__.py diff --git a/frappe/geo/doctype/address/address.js b/frappe/contacts/doctype/address/address.js similarity index 92% rename from frappe/geo/doctype/address/address.js rename to frappe/contacts/doctype/address/address.js index 96388d11a3..f20093a21f 100644 --- a/frappe/geo/doctype/address/address.js +++ b/frappe/contacts/doctype/address/address.js @@ -15,7 +15,7 @@ frappe.ui.form.on("Address", { } frm.set_query('link_doctype', "links", function() { return { - query: "frappe.geo.address_and_contact.filter_dynamic_link_doctypes", + query: "frappe.contacts.address_and_contact.filter_dynamic_link_doctypes", filters: { fieldtype: "HTML", fieldname: "address_html", diff --git a/frappe/geo/doctype/address/address.json b/frappe/contacts/doctype/address/address.json similarity index 99% rename from frappe/geo/doctype/address/address.json rename to frappe/contacts/doctype/address/address.json index d93de0509a..a3c8bd57d4 100644 --- a/frappe/geo/doctype/address/address.json +++ b/frappe/contacts/doctype/address/address.json @@ -569,10 +569,11 @@ "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2017-03-29 12:36:56.013624", + "modified": "2017-04-10 13:09:45.030542", "modified_by": "Administrator", - "module": "Geo", + "module": "Contacts", "name": "Address", + "name_case": "Title Case", "owner": "Administrator", "permissions": [ { diff --git a/frappe/geo/doctype/address/address.py b/frappe/contacts/doctype/address/address.py similarity index 98% rename from frappe/geo/doctype/address/address.py rename to frappe/contacts/doctype/address/address.py index f185cb50e8..4446805952 100644 --- a/frappe/geo/doctype/address/address.py +++ b/frappe/contacts/doctype/address/address.py @@ -13,6 +13,8 @@ from jinja2 import TemplateSyntaxError from frappe.utils.user import is_website_user from frappe.model.naming import make_autoname from frappe.core.doctype.dynamic_link.dynamic_link import deduplicate_dynamic_links +from six import iteritems + class Address(Document): def __setup__(self): @@ -191,7 +193,7 @@ def address_query(doctype, txt, searchfield, start, page_len, filters): link_name = filters.pop('link_name') condition = "" - for fieldname, value in filters.iteritems(): + for fieldname, value in iteritems(filters): condition += " and {field}={value}".format( field=fieldname, value=value diff --git a/frappe/contacts/doctype/address/test_address.py b/frappe/contacts/doctype/address/test_address.py new file mode 100644 index 0000000000..d6d4e50491 --- /dev/null +++ b/frappe/contacts/doctype/address/test_address.py @@ -0,0 +1,33 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2015, Frappe Technologies and Contributors +# See license.txt +from __future__ import unicode_literals + +import frappe, unittest +from frappe.contacts.doctype.address.address import get_address_display + +class TestAddress(unittest.TestCase): + def test_template_works(self): + if not frappe.db.exists('Address Template', 'India'): + frappe.get_doc({ + "doctype": "Address Template", + "country": 'India', + "is_default": 1 + }).insert() + + if not frappe.db.exists('Address', '_Test Address-Office'): + frappe.get_doc({ + "address_line1": "_Test Address Line 1", + "address_title": "_Test Address", + "address_type": "Office", + "city": "_Test City", + "state": "Test State", + "country": "India", + "doctype": "Address", + "is_primary_address": 1, + "phone": "+91 0000000000" + }).insert() + + address = frappe.get_list("Address")[0].name + display = get_address_display(frappe.get_doc("Address", address).as_dict()) + self.assertTrue(display) \ No newline at end of file diff --git a/frappe/geo/report/addresses_and_contacts/__init__.py b/frappe/contacts/doctype/address_template/__init__.py similarity index 100% rename from frappe/geo/report/addresses_and_contacts/__init__.py rename to frappe/contacts/doctype/address_template/__init__.py diff --git a/frappe/geo/doctype/address_template/address_template.js b/frappe/contacts/doctype/address_template/address_template.js similarity index 79% rename from frappe/geo/doctype/address_template/address_template.js rename to frappe/contacts/doctype/address_template/address_template.js index db3c68c220..502d02e7f9 100644 --- a/frappe/geo/doctype/address_template/address_template.js +++ b/frappe/contacts/doctype/address_template/address_template.js @@ -6,7 +6,7 @@ frappe.ui.form.on('Address Template', { if(frm.is_new() && !frm.doc.template) { // set default template via js so that it is translated frappe.call({ - method: 'frappe.geo.doctype.address_template.address_template.get_default_address_template', + method: 'frappe.contacts.doctype.address_template.address_template.get_default_address_template', callback: function(r) { frm.set_value('template', r.message); } diff --git a/frappe/geo/doctype/address_template/address_template.json b/frappe/contacts/doctype/address_template/address_template.json similarity index 94% rename from frappe/geo/doctype/address_template/address_template.json rename to frappe/contacts/doctype/address_template/address_template.json index 8bc0c91367..e27d97daad 100644 --- a/frappe/geo/doctype/address_template/address_template.json +++ b/frappe/contacts/doctype/address_template/address_template.json @@ -1,5 +1,6 @@ { "allow_copy": 0, + "allow_guest_to_view": 0, "allow_import": 0, "allow_rename": 1, "autoname": "field:country", @@ -23,6 +24,7 @@ "ignore_user_permissions": 0, "ignore_xss_filter": 0, "in_filter": 0, + "in_global_search": 0, "in_list_view": 1, "in_standard_filter": 1, "label": "Country", @@ -52,6 +54,7 @@ "ignore_user_permissions": 0, "ignore_xss_filter": 0, "in_filter": 0, + "in_global_search": 0, "in_list_view": 1, "in_standard_filter": 0, "label": "Is Default", @@ -81,6 +84,7 @@ "ignore_user_permissions": 0, "ignore_xss_filter": 0, "in_filter": 0, + "in_global_search": 0, "in_list_view": 0, "in_standard_filter": 0, "label": "Template", @@ -98,20 +102,20 @@ "unique": 0 } ], + "has_web_view": 0, "hide_heading": 0, "hide_toolbar": 0, "icon": "fa fa-map-marker", "idx": 0, "image_view": 0, "in_create": 0, - "in_dialog": 0, "is_submittable": 0, "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2017-01-13 05:11:37.499528", + "modified": "2017-04-10 13:09:53.761009", "modified_by": "Administrator", - "module": "Geo", + "module": "Contacts", "name": "Address Template", "name_case": "", "owner": "Administrator", @@ -126,7 +130,6 @@ "export": 1, "if_owner": 0, "import": 0, - "is_custom": 0, "permlevel": 0, "print": 0, "read": 1, @@ -141,6 +144,7 @@ "quick_entry": 1, "read_only": 0, "read_only_onload": 0, + "show_name_in_global_search": 0, "sort_field": "modified", "sort_order": "DESC", "track_changes": 0, diff --git a/frappe/geo/doctype/address_template/address_template.py b/frappe/contacts/doctype/address_template/address_template.py similarity index 100% rename from frappe/geo/doctype/address_template/address_template.py rename to frappe/contacts/doctype/address_template/address_template.py diff --git a/frappe/contacts/doctype/address_template/test_address_template.py b/frappe/contacts/doctype/address_template/test_address_template.py new file mode 100644 index 0000000000..f40b56e7d9 --- /dev/null +++ b/frappe/contacts/doctype/address_template/test_address_template.py @@ -0,0 +1,45 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2015, Frappe Technologies and Contributors +# See license.txt +from __future__ import unicode_literals + +import frappe, unittest + +class TestAddressTemplate(unittest.TestCase): + def setUp(self): + self.make_default_address_template() + + def test_default_is_unset(self): + a = frappe.get_doc("Address Template", "India") + a.is_default = 1 + a.save() + + b = frappe.get_doc("Address Template", "Brazil") + b.is_default = 1 + b.save() + + self.assertEqual(frappe.db.get_value("Address Template", "India", "is_default"), 0) + + def tearDown(self): + a = frappe.get_doc("Address Template", "India") + a.is_default = 1 + a.save() + + @classmethod + def make_default_address_template(self): + template = """{{ address_line1 }}
{% if address_line2 %}{{ address_line2 }}
{% endif -%}{{ city }}
{% if state %}{{ state }}
{% endif -%}{% if pincode %}{{ pincode }}
{% endif -%}{{ country }}
{% if phone %}Phone: {{ phone }}
{% endif -%}{% if fax %}Fax: {{ fax }}
{% endif -%}{% if email_id %}Email: {{ email_id }}
{% endif -%}""" + + if not frappe.db.exists('Address Template', 'India'): + frappe.get_doc({ + "doctype": "Address Template", + "country": 'India', + "is_default": 1, + "template": template + }).insert() + + if not frappe.db.exists('Address Template', 'Brazil'): + frappe.get_doc({ + "doctype": "Address Template", + "country": 'Brazil', + "template": template + }).insert() \ No newline at end of file diff --git a/frappe/contacts/doctype/contact/__init__.py b/frappe/contacts/doctype/contact/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/email/doctype/contact/contact.js b/frappe/contacts/doctype/contact/contact.js similarity index 95% rename from frappe/email/doctype/contact/contact.js rename to frappe/contacts/doctype/contact/contact.js index 901785a9b7..cfecddffb6 100644 --- a/frappe/email/doctype/contact/contact.js +++ b/frappe/contacts/doctype/contact/contact.js @@ -31,7 +31,7 @@ frappe.ui.form.on("Contact", { } frm.set_query('link_doctype', "links", function() { return { - query: "frappe.geo.address_and_contact.filter_dynamic_link_doctypes", + query: "frappe.contacts.address_and_contact.filter_dynamic_link_doctypes", filters: { fieldtype: "HTML", fieldname: "contact_html", diff --git a/frappe/email/doctype/contact/contact.json b/frappe/contacts/doctype/contact/contact.json similarity index 91% rename from frappe/email/doctype/contact/contact.json rename to frappe/contacts/doctype/contact/contact.json index a7f7bc873a..a9948e00d9 100644 --- a/frappe/email/doctype/contact/contact.json +++ b/frappe/contacts/doctype/contact/contact.json @@ -1,5 +1,6 @@ { "allow_copy": 0, + "allow_guest_to_view": 0, "allow_import": 1, "allow_rename": 1, "beta": 0, @@ -40,6 +41,36 @@ "set_only_once": 0, "unique": 0 }, + { + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "salutation", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Salutation", + "length": 0, + "no_copy": 0, + "options": "Salutation", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, { "allow_on_submit": 0, "bold": 0, @@ -218,6 +249,36 @@ "set_only_once": 0, "unique": 0 }, + { + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "gender", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Gender", + "length": 0, + "no_copy": 0, + "options": "Gender", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, { "allow_on_submit": 0, "bold": 1, @@ -542,6 +603,7 @@ "unique": 0 } ], + "has_web_view": 0, "hide_heading": 0, "hide_toolbar": 0, "icon": "fa fa-user", @@ -549,15 +611,15 @@ "image_field": "image", "image_view": 0, "in_create": 0, - "in_dialog": 0, "is_submittable": 0, "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2017-02-20 14:54:33.723052", + "modified": "2017-04-10 13:09:27.880530", "modified_by": "Administrator", - "module": "Email", + "module": "Contacts", "name": "Contact", + "name_case": "Title Case", "owner": "Administrator", "permissions": [ { diff --git a/frappe/email/doctype/contact/contact.py b/frappe/contacts/doctype/contact/contact.py similarity index 98% rename from frappe/email/doctype/contact/contact.py rename to frappe/contacts/doctype/contact/contact.py index 2eca1b7760..bc3744bbad 100644 --- a/frappe/email/doctype/contact/contact.py +++ b/frappe/contacts/doctype/contact/contact.py @@ -7,6 +7,8 @@ from frappe.utils import cstr, has_gravatar from frappe import _ from frappe.model.document import Document from frappe.core.doctype.dynamic_link.dynamic_link import deduplicate_dynamic_links +from six import iteritems + class Contact(Document): def autoname(self): @@ -118,7 +120,7 @@ def contact_query(doctype, txt, searchfield, start, page_len, filters): link_name = filters.pop('link_name') condition = "" - for fieldname, value in filters.iteritems(): + for fieldname, value in iteritems(filters): condition += " and {field}={value}".format( field=fieldname, value=value diff --git a/frappe/email/doctype/contact/test_contact.py b/frappe/contacts/doctype/contact/test_contact.py similarity index 77% rename from frappe/email/doctype/contact/test_contact.py rename to frappe/contacts/doctype/contact/test_contact.py index 99b6581a73..496ff68299 100644 --- a/frappe/email/doctype/contact/test_contact.py +++ b/frappe/contacts/doctype/contact/test_contact.py @@ -1,5 +1,5 @@ # -*- coding: utf-8 -*- -# Copyright (c) 2015, Frappe Technologies and Contributors +# Copyright (c) 2017, Frappe Technologies and Contributors # See license.txt from __future__ import unicode_literals diff --git a/frappe/email/doctype/contact/test_records.json b/frappe/contacts/doctype/contact/test_records.json similarity index 100% rename from frappe/email/doctype/contact/test_records.json rename to frappe/contacts/doctype/contact/test_records.json diff --git a/frappe/contacts/doctype/gender/__init__.py b/frappe/contacts/doctype/gender/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/contacts/doctype/gender/gender.js b/frappe/contacts/doctype/gender/gender.js new file mode 100644 index 0000000000..e2fd2f18eb --- /dev/null +++ b/frappe/contacts/doctype/gender/gender.js @@ -0,0 +1,8 @@ +// Copyright (c) 2017, Frappe Technologies and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Gender', { + refresh: function() { + + } +}); diff --git a/frappe/contacts/doctype/gender/gender.json b/frappe/contacts/doctype/gender/gender.json new file mode 100644 index 0000000000..86a066cf0f --- /dev/null +++ b/frappe/contacts/doctype/gender/gender.json @@ -0,0 +1,113 @@ +{ + "allow_copy": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "autoname": "field:gender", + "beta": 0, + "creation": "2017-04-10 12:11:36.526508", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "gender", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Gender", + "length": 0, + "no_copy": 0, + "options": "", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2017-04-10 12:17:04.848338", + "modified_by": "Administrator", + "module": "Contacts", + "name": "Gender", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + }, + { + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 0, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 0, + "read": 1, + "report": 0, + "role": "All", + "set_user_permissions": 0, + "share": 0, + "submit": 0, + "write": 0 + } + ], + "quick_entry": 0, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0 +} \ No newline at end of file diff --git a/frappe/contacts/doctype/gender/gender.py b/frappe/contacts/doctype/gender/gender.py new file mode 100644 index 0000000000..bfca5830c1 --- /dev/null +++ b/frappe/contacts/doctype/gender/gender.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +from frappe.model.document import Document + +class Gender(Document): + pass diff --git a/frappe/contacts/doctype/gender/test_gender.py b/frappe/contacts/doctype/gender/test_gender.py new file mode 100644 index 0000000000..fbe3473bc3 --- /dev/null +++ b/frappe/contacts/doctype/gender/test_gender.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and Contributors +# See license.txt +from __future__ import unicode_literals + +import unittest + +class TestGender(unittest.TestCase): + pass diff --git a/frappe/contacts/doctype/salutation/__init__.py b/frappe/contacts/doctype/salutation/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/contacts/doctype/salutation/salutation.js b/frappe/contacts/doctype/salutation/salutation.js new file mode 100644 index 0000000000..856b72e04c --- /dev/null +++ b/frappe/contacts/doctype/salutation/salutation.js @@ -0,0 +1,8 @@ +// Copyright (c) 2017, Frappe Technologies and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Salutation', { + refresh: function() { + + } +}); diff --git a/frappe/contacts/doctype/salutation/salutation.json b/frappe/contacts/doctype/salutation/salutation.json new file mode 100644 index 0000000000..b60a592eea --- /dev/null +++ b/frappe/contacts/doctype/salutation/salutation.json @@ -0,0 +1,132 @@ +{ + "allow_copy": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "autoname": "field:salutation", + "beta": 0, + "creation": "2017-04-10 12:17:58.071915", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "salutation", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Salutation", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2017-04-10 12:55:18.855578", + "modified_by": "Administrator", + "module": "Contacts", + "name": "Salutation", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + }, + { + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 0, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 0, + "read": 1, + "report": 0, + "role": "All", + "set_user_permissions": 0, + "share": 0, + "submit": 0, + "write": 0 + }, + { + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Administrator", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + } + ], + "quick_entry": 0, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0 +} \ No newline at end of file diff --git a/frappe/contacts/doctype/salutation/salutation.py b/frappe/contacts/doctype/salutation/salutation.py new file mode 100644 index 0000000000..d9e4528c7d --- /dev/null +++ b/frappe/contacts/doctype/salutation/salutation.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +from frappe.model.document import Document + +class Salutation(Document): + pass diff --git a/frappe/contacts/doctype/salutation/test_salutation.py b/frappe/contacts/doctype/salutation/test_salutation.py new file mode 100644 index 0000000000..63d603e6a4 --- /dev/null +++ b/frappe/contacts/doctype/salutation/test_salutation.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and Contributors +# See license.txt +from __future__ import unicode_literals + +import unittest + +class TestSalutation(unittest.TestCase): + pass diff --git a/frappe/contacts/report/__init__.py b/frappe/contacts/report/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/contacts/report/addresses_and_contacts/__init__.py b/frappe/contacts/report/addresses_and_contacts/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js b/frappe/contacts/report/addresses_and_contacts/addresses_and_contacts.js similarity index 100% rename from frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js rename to frappe/contacts/report/addresses_and_contacts/addresses_and_contacts.js diff --git a/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.json b/frappe/contacts/report/addresses_and_contacts/addresses_and_contacts.json similarity index 88% rename from frappe/geo/report/addresses_and_contacts/addresses_and_contacts.json rename to frappe/contacts/report/addresses_and_contacts/addresses_and_contacts.json index f21db17886..2d62444639 100644 --- a/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.json +++ b/frappe/contacts/report/addresses_and_contacts/addresses_and_contacts.json @@ -7,9 +7,9 @@ "doctype": "Report", "idx": 2, "is_standard": "Yes", - "modified": "2017-02-24 19:57:37.368498", + "modified": "2017-04-10 15:04:12.498920", "modified_by": "Administrator", - "module": "Geo", + "module": "Contacts", "name": "Addresses And Contacts", "owner": "Administrator", "ref_doctype": "Address", diff --git a/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.py b/frappe/contacts/report/addresses_and_contacts/addresses_and_contacts.py similarity index 100% rename from frappe/geo/report/addresses_and_contacts/addresses_and_contacts.py rename to frappe/contacts/report/addresses_and_contacts/addresses_and_contacts.py diff --git a/frappe/core/doctype/communication/communication.js b/frappe/core/doctype/communication/communication.js index 4735469481..0b3db95540 100644 --- a/frappe/core/doctype/communication/communication.js +++ b/frappe/core/doctype/communication/communication.js @@ -33,7 +33,7 @@ frappe.ui.form.on("Communication", { if(frm.doc.communication_type == "Feedback") { frm.add_custom_button(__("Resend"), function() { - feedback = new frappe.utils.Feedback(); + var feedback = new frappe.utils.Feedback(); feedback.resend_feedback_request(frm.doc); }); } @@ -111,7 +111,7 @@ frappe.ui.form.on("Communication", { d.set_value("reference_doctype", frm.doc.reference_doctype); d.set_value("reference_name", frm.doc.reference_name); d.set_primary_action(__("Relink"), function () { - values = d.get_values(); + var values = d.get_values(); if (values) { frappe.confirm( __('Are you sure you want to relink this communication to {0}?', [values["reference_name"]]), @@ -130,7 +130,7 @@ frappe.ui.form.on("Communication", { }); }, function () { - show_alert('Document not Relinked') + frappe.show_alert('Document not Relinked') } ); } @@ -139,8 +139,8 @@ frappe.ui.form.on("Communication", { }, mark_as_read_unread: function(frm) { - action = frm.doc.seen? "Unread": "Read"; - flag = "(\\SEEN)"; + var action = frm.doc.seen? "Unread": "Read"; + var flag = "(\\SEEN)"; return frappe.call({ method: "frappe.email.inbox.create_email_flag_queue", @@ -154,7 +154,7 @@ frappe.ui.form.on("Communication", { }, reply: function(frm) { - args = frm.events.get_mail_args(frm); + var args = frm.events.get_mail_args(frm); $.extend(args, { subject: __("Re: {0}", [frm.doc.subject]), recipients: frm.doc.sender @@ -164,7 +164,7 @@ frappe.ui.form.on("Communication", { }, reply_all: function(frm) { - args = frm.events.get_mail_args(frm) + var args = frm.events.get_mail_args(frm) $.extend(args, { subject: __("Re: {0}", [frm.doc.subject]), recipients: frm.doc.sender, @@ -174,7 +174,7 @@ frappe.ui.form.on("Communication", { }, forward_mail: function(frm) { - args = frm.events.get_mail_args(frm) + var args = frm.events.get_mail_args(frm) $.extend(args, { forward: true, subject: __("Fw: {0}", [frm.doc.subject]), @@ -184,7 +184,7 @@ frappe.ui.form.on("Communication", { }, get_mail_args: function(frm) { - sender_email_id = "" + var sender_email_id = "" $.each(frappe.boot.email_accounts, function(idx, account) { if(account.email_account == frm.doc.email_account) { sender_email_id = account.email_id @@ -202,11 +202,11 @@ frappe.ui.form.on("Communication", { add_to_contact: function(frm) { var me = this; - fullname = frm.doc.sender_full_name || "" + var fullname = frm.doc.sender_full_name || "" - names = fullname.split(" ") - first_name = names[0] - last_name = names.length >= 2? names[names.length - 1]: "" + var names = fullname.split(" ") + var first_name = names[0] + var last_name = names.length >= 2? names[names.length - 1]: "" frappe.route_options = { "email_id": frm.doc.sender, @@ -225,7 +225,7 @@ frappe.ui.form.on("Communication", { }, freeze: true, callback: function(r) { - frappe.msgprint("Email has been marked as spam") + frappe.msgprint(__("Email has been marked as spam")) } }) }, @@ -238,7 +238,7 @@ frappe.ui.form.on("Communication", { }, freeze: true, callback: function(r) { - frappe.msgprint("Email has been moved to trash") + frappe.msgprint(__("Email has been moved to trash")) } }) } diff --git a/frappe/core/doctype/communication/communication_list.js b/frappe/core/doctype/communication/communication_list.js index 69cad3ceba..0df5bfb9b9 100644 --- a/frappe/core/doctype/communication/communication_list.js +++ b/frappe/core/doctype/communication/communication_list.js @@ -9,7 +9,7 @@ frappe.listview_settings['Communication'] = { filters: [["status", "=", "Open"]], onload: function(list_view) { - method = "frappe.email.inbox.create_email_flag_queue" + var method = "frappe.email.inbox.create_email_flag_queue" list_view.page.add_menu_item(__("Mark as Read"), function() { list_view.call_for_selected_items(method, { action: "Read" }) diff --git a/frappe/core/doctype/communication/test_communication.py b/frappe/core/doctype/communication/test_communication.py index 653904a07b..5de6353083 100644 --- a/frappe/core/doctype/communication/test_communication.py +++ b/frappe/core/doctype/communication/test_communication.py @@ -9,21 +9,36 @@ test_records = frappe.get_test_records('Communication') class TestCommunication(unittest.TestCase): - def test_parse_addr(self): - valid_email_list = ["me@example.com", "a.nonymous@example.com", "name@tag@example.com", - "foo@example.com", 'Full Name ', - '"Full Name with quotes and " ', - 'foo@bar@google.com', 'Surname, Name ', - 'Purchase@ABC ', 'xyz@abc2.com ', - 'Name [something else] ', - '.com@test@yahoo.com'] - - invalid_email_list = ['[invalid!email]', 'invalid-email', - 'tes2', 'e', 'rrrrrrrr', 'manas','[[[sample]]]', - '[invalid!email].com'] + def test_email(self): + valid_email_list = ["Full Name ", + '"Full Name with quotes and " ', + "Surname, Name ", + "Purchase@ABC ", "xyz@abc2.com ", + "Name [something else] "] + + invalid_email_list = ["[invalid!email]", "invalid-email", + "tes2", "e", "rrrrrrrr", "manas","[[[sample]]]", + "[invalid!email].com"] + + for x in valid_email_list: + self.assertTrue(frappe.utils.parse_addr(x)[1]) + + for x in invalid_email_list: + self.assertFalse(frappe.utils.parse_addr(x)[0]) + + def test_name(self): + valid_email_list = ["Full Name ", + '"Full Name with quotes and " ', + "Surname, Name ", + "Purchase@ABC ", "xyz@abc2.com ", + "Name [something else] "] + + invalid_email_list = ["[invalid!email]", "invalid-email", + "tes2", "e", "rrrrrrrr", "manas","[[[sample]]]", + "[invalid!email].com"] for x in valid_email_list: - self.assertTrue(frappe.utils.parse_addr(x)) + self.assertTrue(frappe.utils.parse_addr(x)[0]) for x in invalid_email_list: self.assertFalse(frappe.utils.parse_addr(x)[0]) diff --git a/frappe/core/doctype/deleted_document/deleted_document.py b/frappe/core/doctype/deleted_document/deleted_document.py index e01b01d9f9..e01e9b08bf 100644 --- a/frappe/core/doctype/deleted_document/deleted_document.py +++ b/frappe/core/doctype/deleted_document/deleted_document.py @@ -25,4 +25,4 @@ def restore(name): deleted.restored = 1 deleted.db_update() - frappe.msgprint('Document Restored') \ No newline at end of file + frappe.msgprint(_('Document Restored')) \ No newline at end of file diff --git a/frappe/core/doctype/doctype/boilerplate/controller_list.js b/frappe/core/doctype/doctype/boilerplate/controller_list.js index 7f4915b301..9d0a405176 100644 --- a/frappe/core/doctype/doctype/boilerplate/controller_list.js +++ b/frappe/core/doctype/doctype/boilerplate/controller_list.js @@ -1,3 +1,4 @@ +/* eslint-disable */ frappe.listview_settings['{doctype}'] = {{ add_fields: ["status"], filters:[["status","=", "Open"]] diff --git a/frappe/core/doctype/doctype/doctype.js b/frappe/core/doctype/doctype/doctype.js index 2b0c53abf2..c44fff15d5 100644 --- a/frappe/core/doctype/doctype/doctype.js +++ b/frappe/core/doctype/doctype/doctype.js @@ -13,7 +13,7 @@ frappe.ui.form.on('DocType', { refresh: function(frm) { - if(frm.is_new() && (user !== "Administrator" || !frappe.boot.developer_mode)) { + if(frm.is_new() && (frappe.session.user !== "Administrator" || !frappe.boot.developer_mode)) { frm.set_value("custom", 1); frm.toggle_enable("custom", 0); } diff --git a/frappe/core/doctype/doctype/doctype.json b/frappe/core/doctype/doctype/doctype.json index 14851244ea..acd825f275 100644 --- a/frappe/core/doctype/doctype/doctype.json +++ b/frappe/core/doctype/doctype/doctype.json @@ -15,6 +15,7 @@ "engine": "InnoDB", "fields": [ { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -44,6 +45,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -75,6 +77,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -106,6 +109,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -138,6 +142,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -169,6 +174,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -196,6 +202,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -227,6 +234,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -258,6 +266,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -286,6 +295,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -315,6 +325,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -346,6 +357,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -374,6 +386,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -403,6 +416,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -434,6 +448,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -462,6 +477,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -493,6 +509,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -524,6 +541,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -552,6 +570,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -582,6 +601,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -611,6 +631,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -641,6 +662,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -672,6 +694,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -702,6 +725,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -733,6 +757,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -761,6 +786,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -793,6 +819,38 @@ "unique": 0 }, { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "restrict_to_domain", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Restrict To Domain", + "length": 0, + "no_copy": 0, + "options": "Domain", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -821,6 +879,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -850,6 +909,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -880,6 +940,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -910,6 +971,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -940,6 +1002,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -970,6 +1033,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -999,6 +1063,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1028,6 +1093,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1060,6 +1126,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1088,6 +1155,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1116,6 +1184,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1144,6 +1213,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1173,6 +1243,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1203,6 +1274,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1231,6 +1303,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1261,6 +1334,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1289,6 +1363,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1318,6 +1393,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1349,6 +1425,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1380,6 +1457,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1408,6 +1486,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1438,6 +1517,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1468,6 +1548,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1497,6 +1578,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1527,6 +1609,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1558,6 +1641,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1586,6 +1670,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1616,6 +1701,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1647,6 +1733,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 1, @@ -1676,6 +1763,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1715,13 +1803,12 @@ "idx": 6, "image_view": 0, "in_create": 0, - "in_dialog": 0, "is_submittable": 0, "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2017-03-03 15:55:30.792653", - "modified_by": "Administrator", + "modified": "2017-05-03 16:15:40.198072", + "modified_by": "makarand@erpnext.com", "module": "Core", "name": "DocType", "owner": "Administrator", diff --git a/frappe/core/doctype/doctype/doctype.py b/frappe/core/doctype/doctype/doctype.py index 37298b07f1..ea7d87b986 100644 --- a/frappe/core/doctype/doctype/doctype.py +++ b/frappe/core/doctype/doctype/doctype.py @@ -35,6 +35,7 @@ class DocType(Document): - Check fieldnames (duplication etc) - Clear permission table for child tables - Add `amended_from` and `amended_by` if Amendable""" + self.check_developer_mode() self.validate_name() @@ -49,6 +50,7 @@ class DocType(Document): self.permissions = [] self.scrub_field_names() + self.set_default_in_list_view() self.validate_series() self.validate_document_type() validate_fields(self) @@ -71,6 +73,16 @@ class DocType(Document): if self.default_print_format and not self.custom: frappe.throw(_('Standard DocType cannot have default print format, use Customize Form')) + def set_default_in_list_view(self): + '''Set default in-list-view for first 4 mandatory fields''' + if not [d.fieldname for d in self.fields if d.in_list_view]: + cnt = 0 + for d in self.fields: + if d.reqd and not d.hidden: + d.in_list_view = 1 + cnt += 1 + if cnt == 4: break + def check_developer_mode(self): """Throw exception if not developer mode or via patch""" if frappe.flags.in_patch or frappe.flags.in_test: @@ -215,6 +227,10 @@ class DocType(Document): if not frappe.flags.in_install and hasattr(self, 'before_update'): self.sync_global_search() + # clear from local cache + if self.name in frappe.local.meta_cache: + del frappe.local.meta_cache[self.name] + def sync_global_search(self): '''If global search settings are changed, rebuild search properties for this table''' global_search_fields_before_update = [d.fieldname for d in @@ -419,7 +435,7 @@ def validate_fields(meta): def check_in_list_view(d): if d.in_list_view and (d.fieldtype in not_allowed_in_list_view): frappe.throw(_("'In List View' not allowed for type {0} in row {1}").format(d.fieldtype, d.idx)) - + def check_in_global_search(d): if d.in_global_search and d.fieldtype in no_value_fields: frappe.throw(_("'In Global Search' not allowed for type {0} in row {1}") diff --git a/frappe/core/doctype/doctype/test_doctype.py b/frappe/core/doctype/doctype/test_doctype.py index c06bde9690..678e52451a 100644 --- a/frappe/core/doctype/doctype/test_doctype.py +++ b/frappe/core/doctype/doctype/test_doctype.py @@ -28,4 +28,4 @@ class TestDocType(unittest.TestCase): frappe.delete_doc("DocType", name) doc = self.new_doctype(name).insert() - doc.delete() + doc.delete() \ No newline at end of file diff --git a/frappe/core/doctype/domain/__init__.py b/frappe/core/doctype/domain/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/core/doctype/domain/domain.js b/frappe/core/doctype/domain/domain.js new file mode 100644 index 0000000000..397ed4b19c --- /dev/null +++ b/frappe/core/doctype/domain/domain.js @@ -0,0 +1,8 @@ +// Copyright (c) 2017, Frappe Technologies and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Domain', { + refresh: function(frm) { + + } +}); diff --git a/frappe/core/doctype/domain/domain.json b/frappe/core/doctype/domain/domain.json new file mode 100644 index 0000000000..35b68d0714 --- /dev/null +++ b/frappe/core/doctype/domain/domain.json @@ -0,0 +1,95 @@ +{ + "allow_copy": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "autoname": "field:domain", + "beta": 0, + "creation": "2017-05-03 15:07:39.752820", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "domain", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Domain", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 1, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 1, + "is_submittable": 0, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2017-06-16 13:03:25.430679", + "modified_by": "Administrator", + "module": "Core", + "name": "Domain", + "name_case": "", + "owner": "makarand@erpnext.com", + "permissions": [ + { + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 0 + } + ], + "quick_entry": 1, + "read_only": 1, + "read_only_onload": 0, + "search_fields": "domain", + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "title_field": "domain", + "track_changes": 0, + "track_seen": 0 +} \ No newline at end of file diff --git a/frappe/core/doctype/domain/domain.py b/frappe/core/doctype/domain/domain.py new file mode 100644 index 0000000000..d8a571537c --- /dev/null +++ b/frappe/core/doctype/domain/domain.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe.model.document import Document + +class Domain(Document): + pass diff --git a/frappe/core/doctype/domain/test_domain.py b/frappe/core/doctype/domain/test_domain.py new file mode 100644 index 0000000000..8e0bc65c54 --- /dev/null +++ b/frappe/core/doctype/domain/test_domain.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and Contributors +# See license.txt +from __future__ import unicode_literals + +import frappe +import unittest + +class TestDomain(unittest.TestCase): + pass diff --git a/frappe/core/doctype/domain_settings/__init__.py b/frappe/core/doctype/domain_settings/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/core/doctype/domain_settings/domain_settings.js b/frappe/core/doctype/domain_settings/domain_settings.js new file mode 100644 index 0000000000..39cd8d5dd9 --- /dev/null +++ b/frappe/core/doctype/domain_settings/domain_settings.js @@ -0,0 +1,57 @@ +// Copyright (c) 2017, Frappe Technologies and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Domain Settings', { + onload: function(frm) { + let domains = $('
') + .appendTo(frm.fields_dict.domains_html.wrapper); + + if(!frm.domain_editor) { + frm.domain_editor = new frappe.DomainsEditor(domains, frm); + } + + frm.domain_editor.show(); + }, + + validate: function(frm) { + if(frm.domain_editor) { + frm.domain_editor.set_items_in_table(); + } + }, +}); + +frappe.DomainsEditor = frappe.CheckboxEditor.extend({ + init: function(wrapper, frm) { + var opts = {}; + $.extend(opts, { + wrapper: wrapper, + frm: frm, + field_mapper: { + child_table_field: "active_domains", + item_field: "domain", + cdt: "Has Domain" + }, + attribute: 'data-domain', + checkbox_selector: false, + get_items: this.get_all_domains, + editor_template: this.get_template() + }); + + this._super(opts); + }, + + get_template: function() { + return ` +
+ + {{__(item)}} +
+ `; + }, + + get_all_domains: function() { + // return all the domains available in the system + this.items = frappe.boot.all_domains; + this.render_items(); + }, +}); \ No newline at end of file diff --git a/frappe/core/doctype/domain_settings/domain_settings.json b/frappe/core/doctype/domain_settings/domain_settings.json new file mode 100644 index 0000000000..9d65159099 --- /dev/null +++ b/frappe/core/doctype/domain_settings/domain_settings.json @@ -0,0 +1,153 @@ +{ + "allow_copy": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "beta": 0, + "creation": "2017-05-03 16:28:11.295095", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "domains", + "fieldtype": "Section Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Domains", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "domains_html", + "fieldtype": "HTML", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Domains", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "active_domains", + "fieldtype": "Table", + "hidden": 1, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Active Domains", + "length": 0, + "no_copy": 0, + "options": "Has Domain", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 1, + "istable": 0, + "max_attachments": 0, + "modified": "2017-05-12 17:01:18.615000", + "modified_by": "Administrator", + "module": "Core", + "name": "Domain Settings", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 0, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + } + ], + "quick_entry": 1, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0 +} \ No newline at end of file diff --git a/frappe/core/doctype/domain_settings/domain_settings.py b/frappe/core/doctype/domain_settings/domain_settings.py new file mode 100644 index 0000000000..7ef3654567 --- /dev/null +++ b/frappe/core/doctype/domain_settings/domain_settings.py @@ -0,0 +1,12 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe.model.document import Document + +class DomainSettings(Document): + def on_update(self): + cache = frappe.cache() + cache.delete_key("domains", "active_domains") \ No newline at end of file diff --git a/frappe/core/doctype/error_log/error_log_list.js b/frappe/core/doctype/error_log/error_log_list.js index 59c4a3011c..91e69452ff 100644 --- a/frappe/core/doctype/error_log/error_log_list.js +++ b/frappe/core/doctype/error_log/error_log_list.js @@ -1,9 +1,9 @@ frappe.listview_settings['Error Log'] = { add_fields: ["seen"], get_indicator: function(doc) { - if(cint(doc.seen)) { + if(cint(doc.seen)) { return [__("Seen"), "green", "seen,=,1"]; - } else { + } else { return [__("Not Seen"), "red", "seen,=,0"]; } }, diff --git a/frappe/core/doctype/error_snapshot/error_snapshot.js b/frappe/core/doctype/error_snapshot/error_snapshot.js index 7e9e1313f1..c1b2d996a1 100644 --- a/frappe/core/doctype/error_snapshot/error_snapshot.js +++ b/frappe/core/doctype/error_snapshot/error_snapshot.js @@ -1,9 +1,9 @@ frappe.ui.form.on("Error Snapshot", "load", function(frm){ - frm.set_read_only(true); + frm.set_read_only(true); }); frappe.ui.form.on("Error Snapshot", "refresh", function(frm){ - frm.set_df_property("view", "options", frappe.render_template("error_snapshot", {"doc": frm.doc})); + frm.set_df_property("view", "options", frappe.render_template("error_snapshot", {"doc": frm.doc})); if (frm.doc.relapses) { frm.add_custom_button(__('Show Relapses'), function() { diff --git a/frappe/core/doctype/error_snapshot/error_snapshot_list.js b/frappe/core/doctype/error_snapshot/error_snapshot_list.js index dfaeb7ab85..1ba3e344ae 100644 --- a/frappe/core/doctype/error_snapshot/error_snapshot_list.js +++ b/frappe/core/doctype/error_snapshot/error_snapshot_list.js @@ -1,14 +1,14 @@ frappe.listview_settings["Error Snapshot"] = { - add_fields: ["parent_error_snapshot", "relapses", "seen"], - filters:[ - ["parent_error_snapshot","=",null], - ["seen", "=", false] - ], - get_indicator: function(doc){ - if (doc.parent_error_snapshot && doc.parent_error_snapshot.length){ - return [__("Relapsed"), !doc.seen ? "orange" : "blue", "parent_error_snapshot,!=,"]; - } else { - return [__("First Level"), !doc.seen ? "red" : "green", "parent_error_snapshot,=,"]; - } - } + add_fields: ["parent_error_snapshot", "relapses", "seen"], + filters:[ + ["parent_error_snapshot","=",null], + ["seen", "=", false] + ], + get_indicator: function(doc){ + if (doc.parent_error_snapshot && doc.parent_error_snapshot.length){ + return [__("Relapsed"), !doc.seen ? "orange" : "blue", "parent_error_snapshot,!=,"]; + } else { + return [__("First Level"), !doc.seen ? "red" : "green", "parent_error_snapshot,=,"]; + } + } } diff --git a/frappe/core/doctype/feedback_request/feedback_request.js b/frappe/core/doctype/feedback_request/feedback_request.js index 5ebdec83e3..d32982a9f1 100644 --- a/frappe/core/doctype/feedback_request/feedback_request.js +++ b/frappe/core/doctype/feedback_request/feedback_request.js @@ -3,7 +3,7 @@ frappe.ui.form.on('Feedback Request', { refresh: function(frm) { - rating_icons = frappe.render_template("rating_icons", {rating: frm.doc.rating, show_label: false}); + var rating_icons = frappe.render_template("rating_icons", {rating: frm.doc.rating, show_label: false}); $(frm.fields_dict.feedback_rating.wrapper).html(rating_icons); if(frm.doc.reference_doctype && frm.doc.reference_name) { diff --git a/frappe/core/doctype/feedback_request/feedback_request_list.js b/frappe/core/doctype/feedback_request/feedback_request_list.js index 17f7b09cd4..69d511582f 100644 --- a/frappe/core/doctype/feedback_request/feedback_request_list.js +++ b/frappe/core/doctype/feedback_request/feedback_request_list.js @@ -4,13 +4,13 @@ frappe.listview_settings['Feedback Request'] = { }, column_render: { rating: function(doc) { - html = "" + var html = "" for (var i = 0; i < 5; i++) { html += repl("", {color: i -1)){ - frappe.throw("Folder name should not include / !!!"); + frappe.throw(__("Folder name should not include '/' (slash)")); return; } var data = { @@ -83,7 +83,7 @@ frappe.listview_settings['File'] = { doclist.page.add_menu_item(__("Import .zip"), function() { // make upload dialog - dialog = frappe.ui.get_upload_dialog({ + frappe.ui.get_upload_dialog({ args: { folder: doclist.current_folder, from_form: 1 @@ -98,7 +98,7 @@ frappe.listview_settings['File'] = { if(!r.exc) { //doclist.refresh(); } else { - frappe.msgprint(__("Error in uploading files." + r.exc)); + frappe.msgprint(__("Error in uploading files" + r.exc)); } } }); @@ -132,7 +132,7 @@ frappe.listview_settings['File'] = { doclist.list_renderer.settings.add_menu_item_paste(doclist); } else{ - frappe.throw("Please select file to copy"); + frappe.throw(__("Please select file to copy")); } }) doclist.copy = true; @@ -153,8 +153,8 @@ frappe.listview_settings['File'] = { doclist.selected_files = []; $(paste_menu).remove(); } - }) - }) + }); + }); }, before_run: function(doclist) { var name_filter = doclist.filter_list.get_filter("file_name"); @@ -197,7 +197,7 @@ frappe.listview_settings['File'] = { set_primary_action:function(doclist){ doclist.page.clear_primary_action(); doclist.page.set_primary_action(__("New"), function() { - dialog = frappe.ui.get_upload_dialog({ + frappe.ui.get_upload_dialog({ "args": { "folder": doclist.current_folder, "from_form": 1 @@ -235,5 +235,5 @@ frappe.listview_settings['File'] = { .appendTo(doclist.breadcrumb); } }); - } -} + }; +}; diff --git a/frappe/core/doctype/has_domain/__init__.py b/frappe/core/doctype/has_domain/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/core/doctype/has_domain/has_domain.json b/frappe/core/doctype/has_domain/has_domain.json new file mode 100644 index 0000000000..bfc1764138 --- /dev/null +++ b/frappe/core/doctype/has_domain/has_domain.json @@ -0,0 +1,72 @@ +{ + "allow_copy": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "beta": 0, + "creation": "2017-05-03 15:20:22.326623", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "domain", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Domain", + "length": 0, + "no_copy": 0, + "options": "Domain", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 1, + "max_attachments": 0, + "modified": "2017-05-04 11:05:54.750351", + "modified_by": "Administrator", + "module": "Core", + "name": "Has Domain", + "name_case": "", + "owner": "makarand@erpnext.com", + "permissions": [], + "quick_entry": 1, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0 +} \ No newline at end of file diff --git a/frappe/core/doctype/has_domain/has_domain.py b/frappe/core/doctype/has_domain/has_domain.py new file mode 100644 index 0000000000..6381996035 --- /dev/null +++ b/frappe/core/doctype/has_domain/has_domain.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe.model.document import Document + +class HasDomain(Document): + pass diff --git a/frappe/core/doctype/module_def/module_def.json b/frappe/core/doctype/module_def/module_def.json index 643e64d781..1a94f7f391 100644 --- a/frappe/core/doctype/module_def/module_def.json +++ b/frappe/core/doctype/module_def/module_def.json @@ -1,5 +1,6 @@ { "allow_copy": 0, + "allow_guest_to_view": 0, "allow_import": 0, "allow_rename": 1, "autoname": "field:module_name", @@ -12,6 +13,7 @@ "engine": "InnoDB", "fields": [ { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -36,12 +38,13 @@ "read_only": 0, "remember_last_selected_value": 0, "report_hide": 0, - "reqd": 0, + "reqd": 1, "search_index": 0, "set_only_once": 0, "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -70,18 +73,18 @@ "unique": 0 } ], + "has_web_view": 0, "hide_heading": 0, "hide_toolbar": 0, "icon": "fa fa-sitemap", "idx": 1, "image_view": 0, "in_create": 0, - "in_dialog": 0, "is_submittable": 0, "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2017-02-17 16:41:14.342061", + "modified": "2017-06-20 14:35:17.407968", "modified_by": "Administrator", "module": "Core", "name": "Module Def", diff --git a/frappe/core/doctype/page/page.json b/frappe/core/doctype/page/page.json index df8fe91906..59c94ec35d 100644 --- a/frappe/core/doctype/page/page.json +++ b/frappe/core/doctype/page/page.json @@ -14,6 +14,7 @@ "engine": "InnoDB", "fields": [ { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -43,6 +44,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -72,6 +74,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -102,6 +105,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -130,6 +134,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -158,6 +163,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -185,6 +191,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -216,6 +223,38 @@ "unique": 0 }, { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "restrict_to_domain", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Restrict To Domain", + "length": 0, + "no_copy": 0, + "options": "Domain", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -247,6 +286,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -274,6 +314,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -317,7 +358,7 @@ "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2017-04-12 16:39:15.179130", + "modified": "2017-05-03 17:24:10.162110", "modified_by": "Administrator", "module": "Core", "name": "Page", diff --git a/frappe/core/doctype/report/boilerplate/controller.js b/frappe/core/doctype/report/boilerplate/controller.js index fd63c5ace9..a09dff068f 100644 --- a/frappe/core/doctype/report/boilerplate/controller.js +++ b/frappe/core/doctype/report/boilerplate/controller.js @@ -1,5 +1,6 @@ // Copyright (c) 2016, {app_publisher} and contributors // For license information, please see license.txt +/* eslint-disable */ frappe.query_reports["{name}"] = {{ "filters": [ diff --git a/frappe/core/doctype/report/report.py b/frappe/core/doctype/report/report.py index 8c3e61d55f..143a0cf6b9 100644 --- a/frappe/core/doctype/report/report.py +++ b/frappe/core/doctype/report/report.py @@ -12,6 +12,8 @@ from frappe.modules.export_file import export_to_files from frappe.modules import make_boilerplate from frappe.core.doctype.page.page import delete_custom_role from frappe.core.doctype.custom_role.custom_role import get_custom_allowed_roles +from six import iteritems + class Report(Document): def validate(self): @@ -123,7 +125,7 @@ class Report(Document): _filters = params.get('filters') or [] if filters: - for key, value in filters.iteritems(): + for key, value in iteritems(filters): condition, _value = '=', value if isinstance(value, (list, tuple)): condition, _value = value diff --git a/frappe/core/doctype/role/role.json b/frappe/core/doctype/role/role.json index d665707efd..104ee7d53c 100644 --- a/frappe/core/doctype/role/role.json +++ b/frappe/core/doctype/role/role.json @@ -9,9 +9,11 @@ "custom": 0, "docstatus": 0, "doctype": "DocType", + "document_type": "Document", "editable_grid": 0, "fields": [ { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -42,6 +44,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -72,6 +75,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -100,6 +104,37 @@ "search_index": 0, "set_only_once": 0, "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "restrict_to_domain", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Restrict To Domain", + "length": 0, + "no_copy": 0, + "options": "Domain", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 } ], "has_web_view": 0, @@ -113,7 +148,7 @@ "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2017-04-18 01:50:32.995937", + "modified": "2017-05-04 11:03:41.533058", "modified_by": "Administrator", "module": "Core", "name": "Role", diff --git a/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js b/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js index 92fc9dd977..02fcf94a7b 100644 --- a/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +++ b/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js @@ -39,8 +39,8 @@ frappe.ui.form.on('Role Permission for Page and Report', { }, clear_fields: function(frm) { - field = (frm.doc.set_role_for == 'Report') ? 'page' : 'report'; - frm.set_value(field, '') + var field = (frm.doc.set_role_for == 'Report') ? 'page' : 'report'; + frm.set_value(field, ''); }, page: function(frm) { diff --git a/frappe/core/doctype/system_settings/system_settings.js b/frappe/core/doctype/system_settings/system_settings.js index f8ac1734f9..11c01305e3 100644 --- a/frappe/core/doctype/system_settings/system_settings.js +++ b/frappe/core/doctype/system_settings/system_settings.js @@ -7,16 +7,16 @@ frappe.ui.form.on("System Settings", "refresh", function(frm) { $.each(data.message.defaults, function(key, val) { frm.set_value(key, val); - sys_defaults[key] = val; + frappe.sys_defaults[key] = val; }) } }); }); frappe.ui.form.on("System Settings", "enable_password_policy", function(frm) { - if(frm.doc.enable_password_policy == 0){ - frm.set_value("minimum_password_score", ""); - }else{ - frm.set_value("minimum_password_score", "2"); - } + if(frm.doc.enable_password_policy == 0){ + frm.set_value("minimum_password_score", ""); + } else { + frm.set_value("minimum_password_score", "2"); + } }); \ No newline at end of file diff --git a/frappe/core/doctype/system_settings/system_settings.json b/frappe/core/doctype/system_settings/system_settings.json index 937de3ecf9..b5cf055ae7 100644 --- a/frappe/core/doctype/system_settings/system_settings.json +++ b/frappe/core/doctype/system_settings/system_settings.json @@ -801,6 +801,38 @@ "set_only_once": 0, "unique": 0 }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "1", + "description": "", + "fieldname": "allow_error_traceback", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Show Full Error and Allow Reporting of Issues to the Developer", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, { "allow_bulk_edit": 0, "allow_on_submit": 0, @@ -933,7 +965,7 @@ "issingle": 1, "istable": 0, "max_attachments": 0, - "modified": "2017-05-23 09:12:50.353877", + "modified": "2017-06-12 13:05:28.924098", "modified_by": "Administrator", "module": "Core", "name": "System Settings", @@ -968,4 +1000,4 @@ "sort_order": "ASC", "track_changes": 1, "track_seen": 0 -} \ No newline at end of file +} diff --git a/frappe/core/doctype/user/user.js b/frappe/core/doctype/user/user.js index b540601da1..aa7f7940e3 100644 --- a/frappe/core/doctype/user/user.js +++ b/frappe/core/doctype/user/user.js @@ -18,7 +18,7 @@ frappe.ui.form.on('User', { }, onload: function(frm) { - if(has_common(roles, ["Administrator", "System Manager"]) && !frm.doc.__islocal) { + if(has_common(frappe.user_roles, ["Administrator", "System Manager"]) && !frm.doc.__islocal) { if(!frm.roles_editor) { var role_area = $('
') .appendTo(frm.fields_dict.roles_html.wrapper); @@ -35,11 +35,11 @@ frappe.ui.form.on('User', { refresh: function(frm) { var doc = frm.doc; - if(doc.name===user && !doc.__unsaved + if(doc.name===frappe.session.user && !doc.__unsaved && frappe.all_timezones && (doc.language || frappe.boot.user.language) && doc.language !== frappe.boot.user.language) { - msgprint(__("Refreshing...")); + frappe.msgprint(__("Refreshing...")); window.location.reload(); } @@ -53,7 +53,7 @@ frappe.ui.form.on('User', { frappe.set_route("modules_setup"); }, null, "btn-default") - if(has_common(roles, ["Administrator", "System Manager"])) { + if(has_common(frappe.user_roles, ["Administrator", "System Manager"])) { frm.add_custom_button(__("Set User Permissions"), function() { frappe.route_options = { @@ -79,10 +79,10 @@ frappe.ui.form.on('User', { frm.roles_editor && frm.roles_editor.show(); frm.module_editor && frm.module_editor.refresh(); - if(user==doc.name) { + if(frappe.session.user==doc.name) { // update display settings if(doc.user_image) { - frappe.boot.user_info[user].image = frappe.utils.get_file_link(doc.user_image); + frappe.boot.user_info[frappe.session.user].image = frappe.utils.get_file_link(doc.user_image); } } } @@ -102,11 +102,10 @@ frappe.ui.form.on('User', { if (frappe.route_flags.unsaved===1){ delete frappe.route_flags.unsaved; - for ( var i=0;i' frappe.throw(_('Invalid Password: ' + ' '.join([warning, suggestions]))) + +def update_gravatar(name): + gravatar = has_gravatar(name) + if gravatar: + frappe.db.set_value('User', name, 'user_image', gravatar) \ No newline at end of file diff --git a/frappe/core/page/data_import_tool/data_import_tool.js b/frappe/core/page/data_import_tool/data_import_tool.js index c0ec56c0e1..78c3bf47c6 100644 --- a/frappe/core/page/data_import_tool/data_import_tool.js +++ b/frappe/core/page/data_import_tool/data_import_tool.js @@ -22,7 +22,7 @@ frappe.DataImportTool = Class.extend({ } if(in_list(frappe.boot.user.can_import, doctype)) { - this.select.val(doctype).change(); + this.select.val(doctype).change(); } frappe.route_options = null; @@ -129,12 +129,12 @@ frappe.DataImportTool = Class.extend({ queued: function() { // async, show queued msg_dialog.clear(); - msgprint(__("Import Request Queued. This may take a few moments, please be patient.")); + frappe.msgprint(__("Import Request Queued. This may take a few moments, please be patient.")); }, running: function() { // update async status as running msg_dialog.clear(); - msgprint(__("Importing...")); + frappe.msgprint(__("Importing...")); me.write_messages([__("Importing")]); me.has_progress = false; }, diff --git a/frappe/core/page/desktop/desktop.js b/frappe/core/page/desktop/desktop.js index 4543e416cf..bfa5575963 100644 --- a/frappe/core/page/desktop/desktop.js +++ b/frappe/core/page/desktop/desktop.js @@ -74,16 +74,16 @@ $.extend(frappe.desktop, { // TEMP: test activiation without this message. return; - if(!frappe.user.has_role('System Manager')) { - return; - } - - frappe.call({ - method: 'frappe.core.page.desktop.desktop.get_help_messages', - callback: function(r) { - frappe.desktop.render_help_messages(r.message); - } - }); + // if(!frappe.user.has_role('System Manager')) { + // return; + // } + + // frappe.call({ + // method: 'frappe.core.page.desktop.desktop.get_help_messages', + // callback: function(r) { + // frappe.desktop.render_help_messages(r.message); + // } + // }); }, @@ -91,7 +91,7 @@ $.extend(frappe.desktop, { var wrapper = frappe.desktop.wrapper.find('.help-message-wrapper'); var $help_messages = wrapper.find('.help-messages'); - set_current_message = function(idx) { + var set_current_message = function(idx) { idx = cint(idx); wrapper.current_message_idx = idx; wrapper.find('.left-arrow, .right-arrow').addClass('disabled'); @@ -166,7 +166,7 @@ $.extend(frappe.desktop, { } return false; } else { - module = frappe.get_module(parent.attr("data-name")); + var module = frappe.get_module(parent.attr("data-name")); if (module && module.onclick) { module.onclick(); return false; @@ -181,7 +181,7 @@ $.extend(frappe.desktop, { new Sortable($("#icon-grid").get(0), { onUpdate: function(event) { - new_order = []; + var new_order = []; $("#icon-grid .case-wrapper").each(function(i, e) { new_order.push($(this).attr("data-name")); }); diff --git a/frappe/core/page/modules_setup/modules_setup.js b/frappe/core/page/modules_setup/modules_setup.js index e9952c1a18..cb7b55a602 100644 --- a/frappe/core/page/modules_setup/modules_setup.js +++ b/frappe/core/page/modules_setup/modules_setup.js @@ -59,7 +59,7 @@ frappe.pages['modules_setup'].on_page_load = function(wrapper) { }; // application installer - if(frappe.boot.user.roles.indexOf('System Manager')!==-1) { + if(frappe.user_roles.includes('System Manager')) { page.add_inner_button('Install Apps', function() { frappe.set_route('applications'); }); diff --git a/frappe/core/page/permission_manager/permission_manager.js b/frappe/core/page/permission_manager/permission_manager.js index b8c3ee0dab..0333614d66 100644 --- a/frappe/core/page/permission_manager/permission_manager.js +++ b/frappe/core/page/permission_manager/permission_manager.js @@ -298,7 +298,7 @@ frappe.PermissionEngine = Class.extend({ r.message = $.map(r.message, function(p) { return $.format('{1}', [p, p]); }) - msgprint(__("Users with role {0}:", [__(role)]) + frappe.msgprint(__("Users with role {0}:", [__(role)]) + "
" + r.message.join("
")); } }) @@ -324,7 +324,7 @@ frappe.PermissionEngine = Class.extend({ }, callback: function(r) { if(r.exc) { - msgprint(__("Did not remove")); + frappe.msgprint(__("Did not remove")); } else { me.refresh(); } @@ -380,7 +380,8 @@ frappe.PermissionEngine = Class.extend({ options:me.options.roles, reqd:1,fieldname:"role"}, {fieldtype:"Select", label:__("Permission Level"), options:[0,1,2,3,4,5,6,7,8,9], reqd:1, fieldname: "permlevel", - description: __("Level 0 is for document level permissions, higher levels for field level permissions.")} + description: __("Level 0 is for document level permissions, \ + higher levels for field level permissions.")} ] }); if(me.get_doctype()) { @@ -404,7 +405,7 @@ frappe.PermissionEngine = Class.extend({ args: args, callback: function(r) { if(r.exc) { - msgprint(__("Did not add")); + frappe.msgprint(__("Did not add")); } else { me.refresh(); } @@ -417,6 +418,7 @@ frappe.PermissionEngine = Class.extend({ }, show_user_permission_doctypes: function(d) { + var me = this; if (!d.dialog) { var fields = []; for (var i=0, l=d.linked_doctypes.length; i").html(col[0]).css("width", col[1]+"px") - .appendTo(me.table.find("thead tr")); - }); + $("") + .html(col[0]) + .css("width", col[1]+"px") + .appendTo(me.table.find("thead tr")); + }); $.each(this.prop_list, function(i, d) { @@ -288,7 +290,7 @@ frappe.UserPermissions = Class.extend({ }, callback: function(r) { if(r.exc) { - msgprint(__("Did not remove")); + frappe.msgprint(__("Did not remove")); } else { me.refresh(); } @@ -349,7 +351,7 @@ frappe.UserPermissions = Class.extend({ args: args, callback: function(r) { if(r.exc) { - msgprint(__("Did not add")); + frappe.msgprint(__("Did not add")); } else { me.refresh(); } diff --git a/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js b/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js index d54f166fd3..b53ba70cb8 100644 --- a/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +++ b/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js @@ -16,7 +16,7 @@ frappe.query_reports["Permitted Documents For User"] = { "fieldtype": "Link", "options": "DocType", "reqd": 1, - "get_query": function() { + "get_query": function () { return { "query": "frappe.core.report.permitted_documents_for_user.permitted_documents_for_user.query_doctypes", "filters": { @@ -25,10 +25,10 @@ frappe.query_reports["Permitted Documents For User"] = { } } }, - { - "fieldname": "show_permissions", - "label": __("Show Permissions"), - "fieldtype": "Check" - } + { + "fieldname": "show_permissions", + "label": __("Show Permissions"), + "fieldtype": "Check" + } ] } diff --git a/frappe/custom/doctype/custom_field/custom_field.js b/frappe/custom/doctype/custom_field/custom_field.js index 30a5bcef5f..a74e7bd640 100644 --- a/frappe/custom/doctype/custom_field/custom_field.js +++ b/frappe/custom/doctype/custom_field/custom_field.js @@ -7,10 +7,10 @@ frappe.ui.form.on('Custom Field', { setup: function(frm) { frm.set_query('dt', function(doc) { - filters = [ + var filters = [ ['DocType', 'issingle', '=', 0], ]; - if(user!=="Administrator") { + if(frappe.session.user!=="Administrator") { filters.push(['DocType', 'module', '!=', 'Core']) } return { @@ -57,7 +57,7 @@ frappe.ui.form.on('Custom Field', { fieldtype: function(frm) { if(frm.doc.fieldtype == 'Link') { frm.fields_dict['options_help'].disp_area.innerHTML = - __('Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer'); + __('Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer'); } else if(frm.doc.fieldtype == 'Select') { frm.fields_dict['options_help'].disp_area.innerHTML = __('Options for select. Each option on a new line.')+' '+__('e.g.:')+'
'+__('Option 1')+'
'+__('Option 2')+'
'+__('Option 3')+'
'; diff --git a/frappe/custom/doctype/custom_field/custom_field.json b/frappe/custom/doctype/custom_field/custom_field.json index a242e627af..1d74bbd87c 100644 --- a/frappe/custom/doctype/custom_field/custom_field.json +++ b/frappe/custom/doctype/custom_field/custom_field.json @@ -1,1151 +1,1218 @@ { - "allow_copy": 0, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 0, - "beta": 0, - "creation": "2013-01-10 16:34:01", - "custom": 0, - "description": "Adds a custom field to a DocType", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 0, + "allow_copy": 0, + "allow_guest_to_view": 0, + "allow_import": 1, + "allow_rename": 0, + "beta": 0, + "creation": "2013-01-10 16:34:01", + "custom": 0, + "description": "Adds a custom field to a DocType", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Setup", + "editable_grid": 0, "fields": [ { - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "fieldname": "dt", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 1, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Document", - "length": 0, - "no_copy": 0, - "oldfieldname": "dt", - "oldfieldtype": "Link", - "options": "DocType", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 1, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 1, + "collapsible": 0, + "columns": 0, + "fieldname": "dt", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 1, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Document", + "length": 0, + "no_copy": 0, + "oldfieldname": "dt", + "oldfieldtype": "Link", + "options": "DocType", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 1, + "search_index": 1, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "fieldname": "label", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 1, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Label", - "length": 0, - "no_copy": 1, - "oldfieldname": "label", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 1, + "collapsible": 0, + "columns": 0, + "fieldname": "label", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 1, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Label", + "length": 0, + "no_copy": 1, + "oldfieldname": "label", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "label_help", - "fieldtype": "HTML", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Label Help", - "length": 0, - "no_copy": 0, - "oldfieldtype": "HTML", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "label_help", + "fieldtype": "HTML", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Label Help", + "length": 0, + "no_copy": 0, + "oldfieldtype": "HTML", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "fieldname", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Fieldname", - "length": 0, - "no_copy": 1, - "oldfieldname": "fieldname", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "fieldname", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Fieldname", + "length": 0, + "no_copy": 1, + "oldfieldname": "fieldname", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 1, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "description": "Select the label after which you want to insert new field.", - "fieldname": "insert_after", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Insert After", - "length": 0, - "no_copy": 1, - "oldfieldname": "insert_after", - "oldfieldtype": "Select", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "", + "description": "Select the label after which you want to insert new field.", + "fieldname": "insert_after", + "fieldtype": "Select", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Insert After", + "length": 0, + "no_copy": 1, + "oldfieldname": "insert_after", + "oldfieldtype": "Select", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_6", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "column_break_6", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "default": "Data", - "fieldname": "fieldtype", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 1, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Field Type", - "length": 0, - "no_copy": 0, - "oldfieldname": "fieldtype", - "oldfieldtype": "Select", - "options": "Attach\nAttach Image\nButton\nCheck\nCode\nColumn Break\nCurrency\nData\nDate\nDatetime\nDynamic Link\nFloat\nHTML\nImage\nInt\nLink\nLong Text\nPassword\nPercent\nRead Only\nSection Break\nSelect\nSmall Text\nTable\nText\nText Editor\nTime\nSignature", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 1, + "collapsible": 0, + "columns": 0, + "default": "Data", + "fieldname": "fieldtype", + "fieldtype": "Select", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 1, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Field Type", + "length": 0, + "no_copy": 0, + "oldfieldname": "fieldtype", + "oldfieldtype": "Select", + "options": "Attach\nAttach Image\nButton\nCheck\nCode\nColumn Break\nCurrency\nData\nDate\nDatetime\nDynamic Link\nFloat\nHTML\nImage\nInt\nLink\nLong Text\nPassword\nPercent\nRead Only\nSection Break\nSelect\nSmall Text\nTable\nText\nText Editor\nTime\nSignature", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 1, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:in_list([\"Float\", \"Currency\", \"Percent\"], doc.fieldtype)", - "description": "Set non-standard precision for a Float or Currency field", - "fieldname": "precision", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Precision", - "length": 0, - "no_copy": 0, - "options": "\n1\n2\n3\n4\n5\n6\n7\n8\n9", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:in_list([\"Float\", \"Currency\", \"Percent\"], doc.fieldtype)", + "description": "Set non-standard precision for a Float or Currency field", + "fieldname": "precision", + "fieldtype": "Select", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Precision", + "length": 0, + "no_copy": 0, + "options": "\n1\n2\n3\n4\n5\n6\n7\n8\n9", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "options", - "fieldtype": "Text", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Options", - "length": 0, - "no_copy": 0, - "oldfieldname": "options", - "oldfieldtype": "Text", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "options", + "fieldtype": "Text", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Options", + "length": 0, + "no_copy": 0, + "oldfieldname": "options", + "oldfieldtype": "Text", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "options_help", - "fieldtype": "HTML", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Options Help", - "length": 0, - "no_copy": 0, - "oldfieldtype": "HTML", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "options_help", + "fieldtype": "HTML", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Options Help", + "length": 0, + "no_copy": 0, + "oldfieldtype": "HTML", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "section_break_11", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "section_break_11", + "fieldtype": "Section Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.fieldtype==\"Section Break\"", - "fieldname": "collapsible", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Collapsible", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:doc.fieldtype==\"Section Break\"", + "fieldname": "collapsible", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Collapsible", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.fieldtype==\"Section Break\"", - "fieldname": "collapsible_depends_on", - "fieldtype": "Code", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Collapsible Depends On", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:doc.fieldtype==\"Section Break\"", + "fieldname": "collapsible_depends_on", + "fieldtype": "Code", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Collapsible Depends On", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "default", - "fieldtype": "Text", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Default Value", - "length": 0, - "no_copy": 0, - "oldfieldname": "default", - "oldfieldtype": "Text", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "default", + "fieldtype": "Text", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Default Value", + "length": 0, + "no_copy": 0, + "oldfieldname": "default", + "oldfieldtype": "Text", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "depends_on", - "fieldtype": "Code", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Depends On", - "length": 255, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "depends_on", + "fieldtype": "Code", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Depends On", + "length": 255, + "no_copy": 0, + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "description", - "fieldtype": "Text", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Field Description", - "length": 0, - "no_copy": 0, - "oldfieldname": "description", - "oldfieldtype": "Text", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "print_width": "300px", - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "unique": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "description", + "fieldtype": "Text", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Field Description", + "length": 0, + "no_copy": 0, + "oldfieldname": "description", + "oldfieldtype": "Text", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "print_width": "300px", + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0, "width": "300px" - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "0", - "fieldname": "permlevel", - "fieldtype": "Int", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Permission Level", - "length": 0, - "no_copy": 0, - "oldfieldname": "permlevel", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "0", + "fieldname": "permlevel", + "fieldtype": "Int", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Permission Level", + "length": 0, + "no_copy": 0, + "oldfieldname": "permlevel", + "oldfieldtype": "Int", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "width", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Width", - "length": 0, - "no_copy": 0, - "oldfieldname": "width", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "width", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Width", + "length": 0, + "no_copy": 0, + "oldfieldname": "width", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "properties", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "print_width": "50%", - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "unique": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "description": "Number of columns for a field in a List View or a Grid (Total Columns should be less than 11)", + "fieldname": "columns", + "fieldtype": "Int", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Columns", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "properties", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "", + "length": 0, + "no_copy": 0, + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "print_width": "50%", + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0, "width": "50%" - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "reqd", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Is Mandatory Field", - "length": 0, - "no_copy": 0, - "oldfieldname": "reqd", - "oldfieldtype": "Check", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "reqd", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Is Mandatory Field", + "length": 0, + "no_copy": 0, + "oldfieldname": "reqd", + "oldfieldtype": "Check", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "unique", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Unique", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "unique", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Unique", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "read_only", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Read Only", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "read_only", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Read Only", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.fieldtype===\"Link\"", - "fieldname": "ignore_user_permissions", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Ignore User Permissions", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:doc.fieldtype===\"Link\"", + "fieldname": "ignore_user_permissions", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Ignore User Permissions", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "hidden", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Hidden", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "hidden", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Hidden", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "print_hide", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Print Hide", - "length": 0, - "no_copy": 0, - "oldfieldname": "print_hide", - "oldfieldtype": "Check", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "print_hide", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Print Hide", + "length": 0, + "no_copy": 0, + "oldfieldname": "print_hide", + "oldfieldtype": "Check", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:[\"Int\", \"Float\", \"Currency\", \"Percent\"].indexOf(doc.fieldtype)!==-1", - "fieldname": "print_hide_if_no_value", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Print Hide If No Value", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:[\"Int\", \"Float\", \"Currency\", \"Percent\"].indexOf(doc.fieldtype)!==-1", + "fieldname": "print_hide_if_no_value", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Print Hide If No Value", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "print_width", - "fieldtype": "Data", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Print Width", - "length": 0, - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "print_width", + "fieldtype": "Data", + "hidden": 1, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Print Width", + "length": 0, + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "no_copy", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "No Copy", - "length": 0, - "no_copy": 0, - "oldfieldname": "no_copy", - "oldfieldtype": "Check", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "no_copy", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "No Copy", + "length": 0, + "no_copy": 0, + "oldfieldname": "no_copy", + "oldfieldtype": "Check", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "allow_on_submit", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Allow on Submit", - "length": 0, - "no_copy": 0, - "oldfieldname": "allow_on_submit", - "oldfieldtype": "Check", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "allow_on_submit", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Allow on Submit", + "length": 0, + "no_copy": 0, + "oldfieldname": "allow_on_submit", + "oldfieldtype": "Check", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "in_list_view", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "In List View", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "in_list_view", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "In List View", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "in_standard_filter", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "In Standard Filter", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "in_standard_filter", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "In Standard Filter", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:([\"Data\", \"Select\", \"Table\", \"Text\", \"Text Editor\", \"Link\", \"Small Text\", \"Long Text\", \"Read Only\", \"Heading\", \"Dynamic Link\"].indexOf(doc.fieldtype) !== -1)", - "fieldname": "in_global_search", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "In Global Search", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:([\"Data\", \"Select\", \"Table\", \"Text\", \"Text Editor\", \"Link\", \"Small Text\", \"Long Text\", \"Read Only\", \"Heading\", \"Dynamic Link\"].indexOf(doc.fieldtype) !== -1)", + "fieldname": "in_global_search", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "In Global Search", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "bold", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Bold", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "bold", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Bold", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "report_hide", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Report Hide", - "length": 0, - "no_copy": 0, - "oldfieldname": "report_hide", - "oldfieldtype": "Check", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "report_hide", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Report Hide", + "length": 0, + "no_copy": 0, + "oldfieldname": "report_hide", + "oldfieldtype": "Check", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "search_index", - "fieldtype": "Check", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Index", - "length": 0, - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "search_index", + "fieldtype": "Check", + "hidden": 1, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Index", + "length": 0, + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 - }, + }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field", - "fieldname": "ignore_xss_filter", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Ignore XSS Filter", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "description": "Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field", + "fieldname": "ignore_xss_filter", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Ignore XSS Filter", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, "unique": 0 } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-glass", - "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2017-04-12 12:28:38.400647", - "modified_by": "prateeksha@erpnext.com", - "module": "Custom", - "name": "Custom Field", - "owner": "Administrator", + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "icon": "fa fa-glass", + "idx": 1, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2017-06-13 09:52:49.692096", + "modified_by": "Administrator", + "module": "Custom", + "name": "Custom Field", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "apply_user_permissions": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Administrator", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Administrator", + "set_user_permissions": 0, + "share": 1, + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "apply_user_permissions": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "System Manager", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, "write": 1 } - ], - "quick_entry": 0, - "read_only": 0, - "read_only_onload": 0, - "search_fields": "dt,label,fieldtype,options", - "show_name_in_global_search": 0, - "sort_order": "ASC", - "track_changes": 1, + ], + "quick_entry": 0, + "read_only": 0, + "read_only_onload": 0, + "search_fields": "dt,label,fieldtype,options", + "show_name_in_global_search": 0, + "sort_order": "ASC", + "track_changes": 1, "track_seen": 0 } \ No newline at end of file diff --git a/frappe/custom/doctype/custom_field/custom_field.py b/frappe/custom/doctype/custom_field/custom_field.py index cb91181e42..7265cee8a6 100644 --- a/frappe/custom/doctype/custom_field/custom_field.py +++ b/frappe/custom/doctype/custom_field/custom_field.py @@ -25,15 +25,15 @@ class CustomField(Document): self.fieldname = self.fieldname.lower() def validate(self): - meta = frappe.get_meta(self.dt) + meta = frappe.get_meta(self.dt, cached=False) fieldnames = [df.fieldname for df in meta.get("fields")] + if self.insert_after=='append': + self.insert_after = fieldnames[-1] + if self.insert_after and self.insert_after in fieldnames: self.idx = fieldnames.index(self.insert_after) + 1 - if not self.idx: - self.idx = len(fieldnames) + 1 - self._old_fieldtype = self.db_get('fieldtype') if not self.fieldname: @@ -83,17 +83,18 @@ def create_custom_field_if_values_exist(doctype, df): create_custom_field(doctype, df) - def create_custom_field(doctype, df): df = frappe._dict(df) + if not df.fieldname and df.label: + df.fieldname = frappe.scrub(df.label) if not frappe.db.get_value("Custom Field", {"dt": doctype, "fieldname": df.fieldname}): frappe.get_doc({ "doctype":"Custom Field", "dt": doctype, "permlevel": df.permlevel or 0, "label": df.label, - "fieldname": df.fieldname or df.label.lower().replace(' ', '_'), - "fieldtype": df.fieldtype, + "fieldname": df.fieldname, + "fieldtype": df.fieldtype or 'Data', "options": df.options, "insert_after": df.insert_after, "print_hide": df.print_hide, diff --git a/frappe/custom/doctype/customize_form/customize_form.js b/frappe/custom/doctype/customize_form/customize_form.js index 8308d5a85a..77b489241b 100644 --- a/frappe/custom/doctype/customize_form/customize_form.js +++ b/frappe/custom/doctype/customize_form/customize_form.js @@ -14,8 +14,9 @@ frappe.ui.form.on("Customize Form", { ['DocType', 'issingle', '=', 0], ['DocType', 'custom', '=', 0], ['DocType', 'name', 'not in', 'DocType, DocField, DocPerm, User, Role, Has Role, \ - Page, Has Role, Module Def, Print Format, Report, Customize Form, \ - Customize Form Field'] + Page, Has Role, Module Def, Print Format, Report, Customize Form, \ + Customize Form Field'], + ['DocType', 'restrict_to_domain', 'in', frappe.boot.active_domains] ] }; }); @@ -129,7 +130,7 @@ frappe.ui.form.on("Customize Form Field", { before_fields_remove: function(frm, doctype, name) { var row = frappe.get_doc(doctype, name); if(!(row.is_custom_field || row.__islocal)) { - msgprint(__("Cannot delete standard field. You can hide it if you want")); + frappe.msgprint(__("Cannot delete standard field. You can hide it if you want")); throw "cannot delete custom field"; } }, @@ -171,7 +172,7 @@ frappe.customize_form.confirm = function(msg, frm) { method: "reset_to_defaults", callback: function(r) { if(r.exc) { - msgprint(r.exc); + frappe.msgprint(r.exc); } else { d.hide(); frappe.customize_form.clear_locals_and_refresh(frm); @@ -262,7 +263,7 @@ frappe.customize_form.add_fields_help = function(frm) { \ Show field if a condition is met
\ Example: eval:doc.status=='Cancelled'\ - on a field like \"reason_for_cancellation\" will reveal \ + on a field like \"reason_for_cancellation\" will reveal \ \"Reason for Cancellation\" only if the record is Cancelled.\ \ \ diff --git a/frappe/custom/doctype/property_setter/property_setter.js b/frappe/custom/doctype/property_setter/property_setter.js index 2901fa2052..3f2398c46a 100644 --- a/frappe/custom/doctype/property_setter/property_setter.js +++ b/frappe/custom/doctype/property_setter/property_setter.js @@ -4,8 +4,8 @@ $.extend(cur_frm.cscript, { validate: function(doc) { if(doc.property_type=='Check' && !in_list(['0','1'], doc.value)) { - msgprint(__('Value for a check field can be either 0 or 1')); - validated = false; + frappe.msgprint(__('Value for a check field can be either 0 or 1')); + frappe.validated = false; } } }) diff --git a/frappe/database.py b/frappe/database.py index 5a960b6998..80cdc19d22 100644 --- a/frappe/database.py +++ b/frappe/database.py @@ -14,11 +14,15 @@ import frappe import frappe.defaults import frappe.async import re +import redis import frappe.model.meta from frappe.utils import now, get_datetime, cstr from frappe import _ from types import StringType, UnicodeType from frappe.utils.global_search import sync_global_search +from frappe.model.utils.link_count import flush_local_link_count +from six import iteritems + class Database: """ @@ -654,7 +658,7 @@ class Database: where field in ({0}) and doctype=%s'''.format(', '.join(['%s']*len(keys))), keys + [dt], debug=debug) - for key, value in to_update.iteritems(): + for key, value in iteritems(to_update): self.sql('''insert into tabSingles(doctype, field, value) values (%s, %s, %s)''', (dt, key, value), debug=debug) @@ -723,8 +727,19 @@ class Database: self.sql("commit") frappe.local.rollback_observers = [] self.flush_realtime_log() + self.enqueue_global_search() + flush_local_link_count() + + def enqueue_global_search(self): if frappe.flags.update_global_search: - sync_global_search() + try: + frappe.enqueue('frappe.utils.global_search.sync_global_search', + now=frappe.flags.in_test or frappe.flags.in_install or frappe.flags.in_migrate, + flags=frappe.flags.update_global_search) + except redis.exceptions.ConnectionError: + sync_global_search() + + frappe.flags.update_global_search = [] def flush_realtime_log(self): for args in frappe.local.realtime_log: diff --git a/frappe/defaults.py b/frappe/defaults.py index aeba2f4d28..b4c7ff6452 100644 --- a/frappe/defaults.py +++ b/frappe/defaults.py @@ -163,7 +163,7 @@ def clear_default(key=None, value=None, parent=None, name=None, parenttype=None) clear_cache("__global") if not conditions: - raise Exception, "[clear_default] No key specified." + raise Exception("[clear_default] No key specified.") frappe.db.sql("""delete from tabDefaultValue where {0}""".format(" and ".join(conditions)), tuple(values)) diff --git a/frappe/desk/desk_page.py b/frappe/desk/desk_page.py index fc7281e06c..6c5fdc6821 100644 --- a/frappe/desk/desk_page.py +++ b/frappe/desk/desk_page.py @@ -20,8 +20,8 @@ def get(name): return docs else: frappe.response['403'] = 1 - raise frappe.PermissionError, 'No read permission for Page %s' % \ - (page.title or name) + raise frappe.PermissionError('No read permission for Page %s' %(page.title or name)) + @frappe.whitelist(allow_guest=True) def getpage(): diff --git a/frappe/desk/doctype/bulk_update/bulk_update.py b/frappe/desk/doctype/bulk_update/bulk_update.py index e5c0be1d55..ae6c73d8e0 100644 --- a/frappe/desk/doctype/bulk_update/bulk_update.py +++ b/frappe/desk/doctype/bulk_update/bulk_update.py @@ -20,7 +20,7 @@ def update(doctype, field, value, condition='', limit=500): condition = ' where ' + condition if ';' in condition: - frappe.throw('; not allowed in condition') + frappe.throw(_('; not allowed in condition')) items = frappe.db.sql_list('''select name from `tab{0}`{1} limit 0, {2}'''.format(doctype, condition, limit), debug=1) diff --git a/frappe/desk/doctype/desktop_icon/desktop_icon.py b/frappe/desk/doctype/desktop_icon/desktop_icon.py index a2d5ae5676..d4b4d2c1f5 100644 --- a/frappe/desk/doctype/desktop_icon/desktop_icon.py +++ b/frappe/desk/doctype/desktop_icon/desktop_icon.py @@ -9,6 +9,8 @@ from frappe import _ import json import random from frappe.model.document import Document +from six import iteritems + class DesktopIcon(Document): def validate(self): @@ -32,27 +34,40 @@ def get_desktop_icons(user=None): fields = ['module_name', 'hidden', 'label', 'link', 'type', 'icon', 'color', '_doctype', '_report', 'idx', 'force_show', 'reverse', 'custom', 'standard', 'blocked'] + active_domains = frappe.get_active_domains() + + blocked_doctypes = frappe.get_all("DocType", filters={ + "ifnull(restrict_to_domain, '')": ("not in", ",".join(active_domains)) + }, fields=["name"]) + + blocked_doctypes = [ d.get("name") for d in blocked_doctypes ] + standard_icons = frappe.db.get_all('Desktop Icon', fields=fields, filters={'standard': 1}) standard_map = {} for icon in standard_icons: + if icon._doctype in blocked_doctypes: + icon.blocked = 1 standard_map[icon.module_name] = icon user_icons = frappe.db.get_all('Desktop Icon', fields=fields, filters={'standard': 0, 'owner': user}) - # update hidden property for icon in user_icons: standard_icon = standard_map.get(icon.module_name, None) + if icon._doctype in blocked_doctypes: + icon.blocked = 1 + # override properties from standard icon if standard_icon: for key in ('route', 'label', 'color', 'icon', 'link'): if standard_icon.get(key): icon[key] = standard_icon.get(key) + if standard_icon.blocked: icon.hidden = 1 @@ -145,6 +160,8 @@ def add_user_icon(_doctype, _report=None, label=None, link=None, type='link', st icon_name = new_icon.name + except frappe.UniqueValidationError as e: + frappe.throw(_('Desktop Icon already exists')) except Exception as e: raise e @@ -275,7 +292,7 @@ def make_user_copy(module_name, user): standard_name = frappe.db.get_value('Desktop Icon', {'module_name': module_name, 'standard': 1}) if not standard_name: - frappe.throw('{0} not found'.format(module_name), frappe.DoesNotExistError) + frappe.throw(_('{0} not found').format(module_name), frappe.DoesNotExistError) original = frappe.get_doc('Desktop Icon', standard_name) @@ -308,7 +325,7 @@ def sync_from_app(app): if isinstance(modules, dict): modules_list = [] - for m, desktop_icon in modules.iteritems(): + for m, desktop_icon in iteritems(modules): desktop_icon['module_name'] = m modules_list.append(desktop_icon) else: diff --git a/frappe/desk/doctype/event/event.js b/frappe/desk/doctype/event/event.js index cbfaa0a264..660e31113f 100644 --- a/frappe/desk/doctype/event/event.js +++ b/frappe/desk/doctype/event/event.js @@ -4,8 +4,8 @@ frappe.ui.form.on("Event", { onload: function(frm) { frm.set_query("ref_type", function(txt) { - return { - "filters": { + return { + "filters": { "issingle": 0, } }; @@ -20,8 +20,8 @@ frappe.ui.form.on("Event", { }, repeat_on: function(frm) { if(frm.doc.repeat_on==="Every Day") { - $.each(["monday", "tuesday", "wednesday", "thursday", "friday", - "saturday", "sunday"], function(i,v) { + ["monday", "tuesday", "wednesday", "thursday", + "friday", "saturday", "sunday"].map(function(v) { frm.set_value(v, 1); }); } diff --git a/frappe/desk/doctype/kanban_board/kanban_board.js b/frappe/desk/doctype/kanban_board/kanban_board.js index 9dde5f119e..ca49bc308e 100644 --- a/frappe/desk/doctype/kanban_board/kanban_board.js +++ b/frappe/desk/doctype/kanban_board/kanban_board.js @@ -35,7 +35,7 @@ frappe.ui.form.on('Kanban Board', { field.options && field.options.split('\n').forEach(function(o, i) { o = o.trim(); if(!o) return; - d = frm.add_child('columns'); + var d = frm.add_child('columns'); d.column_name = o; }); frm.refresh(); diff --git a/frappe/desk/doctype/kanban_board/kanban_board.py b/frappe/desk/doctype/kanban_board/kanban_board.py index 062b72590c..aa43d747e6 100644 --- a/frappe/desk/doctype/kanban_board/kanban_board.py +++ b/frappe/desk/doctype/kanban_board/kanban_board.py @@ -7,6 +7,7 @@ import frappe import json from frappe import _ from frappe.model.document import Document +from six import iteritems class KanbanBoard(Document): @@ -91,7 +92,7 @@ def update_order(board_name, order): order_dict = json.loads(order) updated_cards = [] - for col_name, cards in order_dict.iteritems(): + for col_name, cards in iteritems(order_dict): order_list = [] for card in cards: column = frappe.get_value( diff --git a/frappe/desk/doctype/todo/todo.js b/frappe/desk/doctype/todo/todo.js index a50b9e038a..8a13103311 100644 --- a/frappe/desk/doctype/todo/todo.js +++ b/frappe/desk/doctype/todo/todo.js @@ -3,8 +3,8 @@ frappe.ui.form.on("ToDo", { onload: function(frm) { frm.set_query("reference_type", function(txt) { - return { - "filters": { + return { + "filters": { "issingle": 0, } }; diff --git a/frappe/desk/doctype/todo/todo_list.js b/frappe/desk/doctype/todo/todo_list.js index 9be865a49c..d76217c833 100644 --- a/frappe/desk/doctype/todo/todo_list.js +++ b/frappe/desk/doctype/todo/todo_list.js @@ -1,7 +1,7 @@ frappe.listview_settings['ToDo'] = { onload: function(me) { frappe.route_options = { - "owner": user, + "owner": frappe.session.user, "status": "Open" }; me.page.set_title(__("To Do")); @@ -14,7 +14,7 @@ frappe.listview_settings['ToDo'] = { var assign_filter = me.filter_list.get_filter("assigned_by"); assign_filter && assign_filter.remove(true); - me.filter_list.add_filter(me.doctype, "owner", '=', user); + me.filter_list.add_filter(me.doctype, "owner", '=', frappe.session.user); me.run(); }); @@ -23,7 +23,7 @@ frappe.listview_settings['ToDo'] = { var assign_filter = me.filter_list.get_filter("owner"); assign_filter && assign_filter.remove(true); - me.filter_list.add_filter(me.doctype, "assigned_by", '=', user); + me.filter_list.add_filter(me.doctype, "assigned_by", '=', frappe.session.user); me.run(); }, ".assigned-to-me"); }, diff --git a/frappe/desk/form/load.py b/frappe/desk/form/load.py index 450088936a..87e48b0450 100644 --- a/frappe/desk/form/load.py +++ b/frappe/desk/form/load.py @@ -20,7 +20,7 @@ def getdoc(doctype, name, user=None): """ if not (doctype and name): - raise Exception, 'doctype and name required!' + raise Exception('doctype and name required!') if not name: name = doctype @@ -34,7 +34,7 @@ def getdoc(doctype, name, user=None): if not doc.has_permission("read"): frappe.flags.error_message = _('Insufficient Permission for {0}').format(frappe.bold(doctype + ' ' + name)) - raise frappe.PermissionError, ("read", doctype, name) + raise frappe.PermissionError(("read", doctype, name)) doc.apply_fieldlevel_read_permissions() diff --git a/frappe/desk/form/meta.py b/frappe/desk/form/meta.py index 0f81582182..310193c5f8 100644 --- a/frappe/desk/form/meta.py +++ b/frappe/desk/form/meta.py @@ -14,6 +14,8 @@ from frappe.model.utils import render_include from frappe.build import scrub_html_template ###### +from six import iteritems + def get_meta(doctype, cached=True): if cached and not frappe.conf.developer_mode: @@ -153,7 +155,7 @@ class FormMeta(Meta): app = module.__name__.split(".")[0] templates = {} if hasattr(module, "form_grid_templates"): - for key, path in module.form_grid_templates.iteritems(): + for key, path in iteritems(module.form_grid_templates): templates[key] = get_html_format(frappe.get_app_path(app, path)) self.set("__form_grid_templates", templates) diff --git a/frappe/desk/moduleview.py b/frappe/desk/moduleview.py index 7a15b14597..d365f3d511 100644 --- a/frappe/desk/moduleview.py +++ b/frappe/desk/moduleview.py @@ -55,6 +55,27 @@ def build_config_from_file(module): except ImportError: pass + return filter_by_restrict_to_domain(data) + +def filter_by_restrict_to_domain(data): + """ filter Pages and DocType depending on the Active Module(s) """ + mapper = { + "page": "Page", + "doctype": "DocType" + } + active_domains = frappe.get_active_domains() + + for d in data: + _items = [] + for item in d.get("items", []): + doctype = mapper.get(item.get("type")) + + doctype_domain = frappe.db.get_value(doctype, item.get("name"), "restrict_to_domain") or '' + if not doctype_domain or (doctype_domain in active_domains): + _items.append(item) + + d.update({ "items": _items }) + return data def build_standard_config(module, doctype_info): @@ -95,11 +116,16 @@ def add_custom_doctypes(data, doctype_info): def get_doctype_info(module): """Returns list of non child DocTypes for given module.""" - doctype_info = frappe.db.sql("""select "doctype" as type, name, description, - ifnull(document_type, "") as document_type, custom as custom, - issingle as issingle - from `tabDocType` where module=%s and istable=0 - order by custom asc, document_type desc, name asc""", module, as_dict=True) + active_domains = frappe.get_active_domains() + + doctype_info = frappe.get_all("DocType", filters={ + "module": module, + "istable": 0 + }, or_filters={ + "ifnull(restrict_to_domain, '')": "", + "restrict_to_domain": ("in", active_domains) + }, fields=["'doctype' as type", "name", "description", "ifnull(document_type, '') as document_type", + "custom", "issingle"], order_by="custom asc, document_type desc, name asc") for d in doctype_info: d.description = _(d.description or "") diff --git a/frappe/desk/page/activity/activity.js b/frappe/desk/page/activity/activity.js index bf3ccfc08c..c74800cc82 100644 --- a/frappe/desk/page/activity/activity.js +++ b/frappe/desk/page/activity/activity.js @@ -32,7 +32,7 @@ frappe.pages['activity'].on_page_load = function(wrapper) { }, show_filters: true, doctype: "Communication", - get_args: function() { + get_args: function() { if (frappe.route_options && frappe.route_options.show_likes) { delete frappe.route_options.show_likes; return { @@ -80,7 +80,7 @@ frappe.pages['activity'].on_page_load = function(wrapper) { this.page.add_menu_item(__('Authentication Log'), function() { frappe.route_options = { - "user": user + "user": frappe.session.user } frappe.set_route('Report', "Authentication Log"); @@ -147,17 +147,18 @@ frappe.activity.Feed = Class.extend({ data.feed_type = data.comment_type || data.communication_medium; }, add_date_separator: function(row, data) { - var date = dateutil.str_to_obj(data.creation); + var date = frappe.datetime.str_to_obj(data.creation); var last = frappe.activity.last_feed_date; - if((last && dateutil.obj_to_str(last) != dateutil.obj_to_str(date)) || (!last)) { - var diff = dateutil.get_day_diff(dateutil.get_today(), dateutil.obj_to_str(date)); + if((last && frappe.datetime.obj_to_str(last) != frappe.datetime.obj_to_str(date)) || (!last)) { + var diff = frappe.datetime.get_day_diff(frappe.datetime.get_today(), frappe.datetime.obj_to_str(date)); + var pdate; if(diff < 1) { pdate = 'Today'; } else if(diff < 2) { pdate = 'Yesterday'; } else { - pdate = dateutil.global_date_format(date); + pdate = frappe.datetime.global_date_format(date); } data.date_sep = pdate; data.date_class = pdate=='Today' ? "date-indicator blue" : "date-indicator"; @@ -182,7 +183,7 @@ frappe.activity.render_heatmap = function(page) { var legend = []; var max = Math.max.apply(this, $.map(r.message, function(v) { return v })); var legend = [cint(max/5), cint(max*2/5), cint(max*3/5), cint(max*4/5)]; - heatmap = new CalHeatMap(); + var heatmap = new CalHeatMap(); heatmap.init({ itemSelector: ".heatmap", domain: "month", diff --git a/frappe/desk/page/applications/applications.js b/frappe/desk/page/applications/applications.js index 3cd33d7000..8f145fc4f8 100644 --- a/frappe/desk/page/applications/applications.js +++ b/frappe/desk/page/applications/applications.js @@ -21,7 +21,7 @@ frappe.applications.Installer = Class.extend({ me.make_page(); // no apps - if(!keys(apps).length) { + if(!Object.keys(apps).length) { me.wrapper.html('
' + __("No Apps Installed") + '
'); return; } diff --git a/frappe/desk/page/applications/applications.py b/frappe/desk/page/applications/applications.py index 9fa1b30f95..bf3f70435e 100644 --- a/frappe/desk/page/applications/applications.py +++ b/frappe/desk/page/applications/applications.py @@ -68,7 +68,7 @@ def install_app(name): reload(site) else: # will only come via direct API - frappe.throw("Listing app not allowed") + frappe.throw(_("Listing app not allowed")) app_hooks = frappe.get_hooks(app_name=name) if app_hooks.get('hide_in_installer'): diff --git a/frappe/desk/page/backups/backups.js b/frappe/desk/page/backups/backups.js index ce43f63d14..c42819aba1 100644 --- a/frappe/desk/page/backups/backups.js +++ b/frappe/desk/page/backups/backups.js @@ -5,7 +5,7 @@ frappe.pages['backups'].on_page_load = function(wrapper) { single_column: true }); - page.add_inner_button(__("Set Number of Backups"), function() { + page.add_inner_button(__("Set Number of Backups"), function () { frappe.set_route('Form', 'System Settings'); }); diff --git a/frappe/desk/page/chat/chat.js b/frappe/desk/page/chat/chat.js index 660fc31796..b1bb2e0a28 100644 --- a/frappe/desk/page/chat/chat.js +++ b/frappe/desk/page/chat/chat.js @@ -40,10 +40,10 @@ frappe.Chat = Class.extend({ setup_realtime: function() { var me = this; frappe.realtime.on('new_message', function(comment) { - if(comment.modified_by !== user || comment.communication_type === 'Bot') { + if(comment.modified_by !== frappe.session.user || comment.communication_type === 'Bot') { if(frappe.get_route()[0] === 'chat') { var current_contact = $(cur_page.page).find('[data-contact]').data('contact'); - var on_broadcast_page = current_contact === user; + var on_broadcast_page = current_contact === frappe.session.user; if ((current_contact == comment.owner) || (on_broadcast_page && comment.broadcast) || current_contact === 'Bot' && comment.communication_type === 'Bot') { @@ -220,7 +220,7 @@ frappe.Chat = Class.extend({ if(data.owner==data.reference_name && data.communication_type!=="Notification" && data.comment_type!=="Bot") { - data.is_public = true; + data.is_public = true; } if(data.owner==data.reference_name && data.communication_type !== "Bot") { diff --git a/frappe/desk/page/modules/modules.js b/frappe/desk/page/modules/modules.js index 62f51c9eed..87361d951f 100644 --- a/frappe/desk/page/modules/modules.js +++ b/frappe/desk/page/modules/modules.js @@ -63,7 +63,7 @@ frappe.pages['modules'].on_page_load = function(wrapper) { module: module_name }, callback: function(r) { - m = frappe.get_module(module_name); + var m = frappe.get_module(module_name); m.data = r.message.data; process_data(module_name, m.data); page.section_data[module_name] = m; diff --git a/frappe/desk/page/setup_wizard/install_fixtures.py b/frappe/desk/page/setup_wizard/install_fixtures.py new file mode 100644 index 0000000000..7e67907a3b --- /dev/null +++ b/frappe/desk/page/setup_wizard/install_fixtures.py @@ -0,0 +1,31 @@ +# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals + +import frappe + +from frappe import _ + +def install(): + update_genders_and_salutations() + +@frappe.whitelist() +def update_genders_and_salutations(): + default_genders = [_("Male"), _("Female"), _("Other")] + default_salutations = [_("Mr"), _("Ms"), _('Mx'), _("Dr"), _("Mrs"), _("Madam"), _("Miss"), _("Master"), _("Prof")] + records = [{'doctype': 'Gender', 'gender': d} for d in default_genders] + records += [{'doctype': 'Salutation', 'salutation': d} for d in default_salutations] + for record in records: + doc = frappe.new_doc(record.get("doctype")) + doc.update(record) + + try: + doc.insert(ignore_permissions=True) + except frappe.DuplicateEntryError, e: + # pass DuplicateEntryError and continue + if e.args and e.args[0]==doc.doctype and e.args[1]==doc.name: + # make sure DuplicateEntryError is for the exact same doc and not a related doc + pass + else: + raise \ No newline at end of file diff --git a/frappe/desk/page/setup_wizard/setup_wizard.js b/frappe/desk/page/setup_wizard/setup_wizard.js index 8707f7c300..28ac0bf48c 100644 --- a/frappe/desk/page/setup_wizard/setup_wizard.js +++ b/frappe/desk/page/setup_wizard/setup_wizard.js @@ -155,7 +155,7 @@ frappe.wiz.Wizard = Class.extend({ }, 2000); }, error: function(r) { - var d = msgprint(__("There were errors.")); + var d = frappe.msgprint(__("There were errors.")); d.custom_onhide = function() { frappe.set_route(me.page_name, me.slides.length - 1); }; @@ -229,14 +229,14 @@ frappe.wiz.WizardSlide = Class.extend({ } this.$body = $(frappe.render_template("setup_wizard_page", { - help: __(this.help), - title:__(this.title), - main_title:__(this.wiz.title), - step: this.id + 1, - name: this.name, - css_class: this.css_class || "", - slides_count: this.wiz.slides.length - })).appendTo(this.$wrapper); + help: __(this.help), + title:__(this.title), + main_title:__(this.wiz.title), + step: this.id + 1, + name: this.name, + css_class: this.css_class || "", + slides_count: this.wiz.slides.length + })).appendTo(this.$wrapper); this.body = this.$body.find(".form")[0]; @@ -314,7 +314,7 @@ frappe.wiz.WizardSlide = Class.extend({ //setup mousefree navigation this.$body.on('keypress', function(e) { if(e.which === 13) { - $target = $(e.target); + var $target = $(e.target); if($target.hasClass('prev-btn')) { me.prev(); } else if($target.hasClass('btn-attach')) { @@ -469,7 +469,7 @@ function load_frappe_slides() { var data = frappe.wiz.regional_data; slide.get_input("country").empty() - .add_options([""].concat(keys(data.country_info).sort())); + .add_options([""].concat(Object.keys(data.country_info).sort())); slide.get_input("currency").empty() @@ -559,7 +559,7 @@ function load_frappe_slides() { ], help: __('The first user will become the System Manager (you can change this later).'), onload: function(slide) { - if(user!=="Administrator") { + if(frappe.session.user!=="Administrator") { slide.form.fields_dict.password.$wrapper.toggle(false); slide.form.fields_dict.email.$wrapper.toggle(false); if(frappe.boot.user.first_name || frappe.boot.user.last_name) { @@ -580,7 +580,7 @@ function load_frappe_slides() { }, css_class: "single-column" }; -}; +} frappe.wiz.on("before_load", function() { load_frappe_slides(); diff --git a/frappe/desk/page/setup_wizard/setup_wizard.py b/frappe/desk/page/setup_wizard/setup_wizard.py index 351c62a45c..dcc9e2bcd8 100755 --- a/frappe/desk/page/setup_wizard/setup_wizard.py +++ b/frappe/desk/page/setup_wizard/setup_wizard.py @@ -10,6 +10,7 @@ from frappe.geo.country_info import get_country_info from frappe.utils.file_manager import save_file from frappe.utils.password import update_password from werkzeug.useragents import UserAgent +import install_fixtures @frappe.whitelist() def setup_complete(args): @@ -53,6 +54,7 @@ def setup_complete(args): else: for hook in frappe.get_hooks("setup_wizard_success"): frappe.get_attr(hook)(args) + install_fixtures.install() def update_system_settings(args): diff --git a/frappe/desk/query_builder.py b/frappe/desk/query_builder.py index 43e1b21715..4e23318d07 100644 --- a/frappe/desk/query_builder.py +++ b/frappe/desk/query_builder.py @@ -158,7 +158,7 @@ def runquery(q='', ret=0, from_export=0): if frappe.form_dict.get('simple_query') or frappe.form_dict.get('is_simple'): if not q: q = frappe.form_dict.get('simple_query') or frappe.form_dict.get('query') if q.split()[0].lower() != 'select': - raise Exception, 'Query must be a SELECT' + raise Exception('Query must be a SELECT') as_dict = cint(frappe.form_dict.get('as_dict')) res = frappe.db.sql(q, as_dict = as_dict, as_list = not as_dict, formatted=formatted) @@ -209,7 +209,7 @@ def runquery(q='', ret=0, from_export=0): qm = frappe.form_dict.get('query_max') or '' if qm and qm.strip(): if qm.split()[0].lower() != 'select': - raise Exception, 'Query (Max) must be a SELECT' + raise Exception('Query (Max) must be a SELECT') if not frappe.form_dict.get('simple_query'): qm = add_match_conditions(qm, tl) diff --git a/frappe/desk/search.py b/frappe/desk/search.py index 13fc67349b..d9f881e3db 100644 --- a/frappe/desk/search.py +++ b/frappe/desk/search.py @@ -5,6 +5,7 @@ from __future__ import unicode_literals import frappe, json from frappe.utils import cstr, unique +from frappe import _ # this is called by the Link Field @frappe.whitelist() @@ -18,7 +19,6 @@ def search_link(doctype, txt, query=None, filters=None, page_length=20, searchfi def search_widget(doctype, txt, query=None, searchfield=None, start=0, page_length=10, filters=None, filter_fields=None, as_dict=False): if isinstance(filters, basestring): - import json filters = json.loads(filters) meta = frappe.get_meta(doctype) @@ -38,7 +38,7 @@ def search_widget(doctype, txt, query=None, searchfield=None, start=0, searchfield, start, page_length, filters) else: if query: - frappe.throw("This query style is discontinued") + frappe.throw(_("This query style is discontinued")) # custom query # frappe.response["values"] = frappe.db.sql(scrub_custom_query(query, searchfield, txt)) else: diff --git a/frappe/docs/index.html b/frappe/docs/index.html index a70cba3109..73d69f96ea 100644 --- a/frappe/docs/index.html +++ b/frappe/docs/index.html @@ -32,8 +32,8 @@ Javascript, HTML/CSS with MySQL as the backend. It was built for ERPNext but is pretty generic and can be used to build database driven apps.

-

The key differece in Frappe compared to other frameworks is that Frappe -is that meta-data is also treated as data and is used to build front-ends +

The key difference in Frappe compared to other frameworks is that in Frappe, +metadata is also treated as data and it can be used to build frontend very easily. Frappe comes with a full blown admin UI called the Desk that handles forms, navigation, lists, menus, permissions, file attachment and much more out of the box.

diff --git a/frappe/docs/user/en/guides/app-development/dialogs-types.md b/frappe/docs/user/en/guides/app-development/dialogs-types.md index e92c40f34f..a1aa4f9a07 100755 --- a/frappe/docs/user/en/guides/app-development/dialogs-types.md +++ b/frappe/docs/user/en/guides/app-development/dialogs-types.md @@ -85,7 +85,7 @@ This dialog have 2 arguments, they are: + "
  • 28% Memory
  • " + "
  • 12% Processor
  • " + "
  • 0.3% Disk
  • " - "", 'Server Info') + + "", 'Server Info') --- @@ -115,4 +115,4 @@ Frappé provide too a `Class` that you can extend and build your own custom dial - \ No newline at end of file + diff --git a/frappe/docs/user/en/guides/basics/hooks.md b/frappe/docs/user/en/guides/basics/hooks.md index 9bfaaeee3c..5a3eabf419 100755 --- a/frappe/docs/user/en/guides/basics/hooks.md +++ b/frappe/docs/user/en/guides/basics/hooks.md @@ -216,6 +216,7 @@ The hook function will be passed the doc in concern as the only argument. * `validate` * `before_save` +* `autoname` * `after_save` * `before_insert` * `after_insert` @@ -226,6 +227,9 @@ The hook function will be passed the doc in concern as the only argument. * `on_submit` * `on_cancel` * `on_update_after_submit` +* `on_change` +* `on_trash` +* `after_delete` Eg, diff --git a/frappe/docs/user/en/guides/integration/google_gsuite.md b/frappe/docs/user/en/guides/integration/google_gsuite.md new file mode 100644 index 0000000000..dd8e86f90f --- /dev/null +++ b/frappe/docs/user/en/guides/integration/google_gsuite.md @@ -0,0 +1,72 @@ +# Google GSuite + +You can create and attach Google GSuite Docs to your Documents using your predefined GSuite Templates. +These Templates could use variables from Doctype that will be automatically filled. + +## 1. Enable integration with Google Gsuite + +### 1.1 Publish Google apps script + +*If you will use the default script you can go to 1.2* + +1. Go to [https://script.google.com](https://script.google.com) +1. Create a new Project. Click on **File > New > Project** +1. Copy the code of **Desk > Explore > Integrations > GSuite Settings > Google Apps Script** to clipboard and paste to an empty Code.gs in script.google.com +1. Save the Project. Click on **File > Save > Enter new project name** +1. Deploy the app. Click on **Publish > Deploy as web app** +1. Copy "Current web app URL" into **Desk > Explore > Integrations > GSuite Settings > Script URL** +1. Click on OK but don't close the script + +### 1.2 + +### 1.2 Get Google access + +1. Go to your Google project console and select your project or create a new. [https://console.developers.google.com](https://console.developers.google.com) +1. In Library click on **Google Drive API** and **Enable** +1. Click on **Credentials > Create Credentials > OAuth Client ID** +1. Fill the form with: + - Web Application + - Authorized redirect URI as **http://{{ yoursite }}/?cmd=frappe.integrations.doctype.gsuite_settings.gsuite_settings.gsuite_callback** +1. Copy the Client ID and Client Secret into **Desk > Explore > Integrations > GSuite Settings > Client ID and Client Secret** +1. Save GSuite Settings + +### 1.3 Test Script + +1. Click on **Allow GSuite Access** and you will be redirected to select the user and give access. If you have any error please verify you are using the correct Authorized redirect URI. +1. Click on **Run Script test**. You should be asked to give permission. + +## 2. GSuite Templates + +### 2.1 Google Document as Template + +1. Create a new Document or use one you already have. Set variables as you need. Variables are defined with ***{{VARIABLE}}*** with ***VARIABLE*** is the field of your Doctype + + For Example, + If this document will be used to employee and the Doctype has the field ***name*** then you can use it in Google Docs ad {{name}} + +1. Get the ID of that Document from url of your document + + For example: in this address the ID is in bold + https://docs.google.com/document/d/**1Y2_btbwSqPIILLcJstHnSm1u5dgYE0QJspcZBImZQso**/edit + +1. Get the ID of the folder where you want to place the generated documents. (You can step this point if you want to place the generated documents in Google Drive root. ) + + For example: in this folder url the ID is in bold + https://drive.google.com/drive/u/0/folders/**0BxmFzZZUHbgyQzVJNzY5eG5jbmc** + +### 2.2 Associate the Template to a Doctype + +1. Go to **Desk > Explore > Integrations > GSuite Templates > New** +1. Fill the form with: + - Template Name (Example: Employee Contract) + - Related DocType (Example: Employee) + - Template ID is the Document ID you get from your Google Docs (Example: 1Y2_btbwSqPIILLcJstHnSm1u5dgYE0QJspcZBImZQso) + - Document name is the name of the new files. You can use field from DocType (Example: Employee Contract of {name}) + - Destination ID is the folder ID of your files created from this Template. (Example: 0BxmFzZZUHbgyQzVJNzY5eG5jbmc) + +## 3. Create Documents + +1. Go to a Document you already have a Template (Example: Employee > John Doe) +2. Click on **Attach File** +3. O **GSuite Document** section select the Template and click **Attach** +4. You should see the generated document is already created and attached diff --git a/frappe/docs/user/en/guides/integration/index.txt b/frappe/docs/user/en/guides/integration/index.txt index 6d86f7389c..a2c88ed7d3 100755 --- a/frappe/docs/user/en/guides/integration/index.txt +++ b/frappe/docs/user/en/guides/integration/index.txt @@ -2,3 +2,4 @@ rest_api how_to_setup_oauth using_oauth openid_connect_and_frappe_social_login +google_gsuite diff --git a/frappe/docs/user/en/tutorial/before.md b/frappe/docs/user/en/tutorial/before.md index 4c7c51c114..80f34e01dd 100755 --- a/frappe/docs/user/en/tutorial/before.md +++ b/frappe/docs/user/en/tutorial/before.md @@ -1,48 +1,72 @@ # Before You Start -

    A list of tools, technologies that will be very helpful for building apps in Frappe.

    - -There are a number of good tutorials online and we found [CodeAcademy](http://www.codecademy.com/) to be the most beautiful ones out there here bunch of lessons you can learn from CodeAcademy +

    A list of resources to help you get started with building apps using Frappe

    --- #### 1. Python -Server side Frappe is written in Python and its a good idea to [quickly learn Python](http://www.codecademy.com/tracks/python) before you started digging into Frappe. Another good place to learn Python is the [tutorial on docs.python.org](https://docs.python.org/2.7/tutorial/index.html). Note that Frappe uses Python 2.7 +Frappe uses Python (v2.7) for server-side programming. It is highly recommended to learn Python before you start building apps with Frappe. + +To write quality server-side code, you must also include automated tests. -To write quality server side code, you must include automatic tests. You can learn the [basics of test driven development here](http://code.tutsplus.com/tutorials/beginning-test-driven-development-in-python--net-30137). +Resources: + 1. [Codecademy Tutorial for Python](https://www.codecademy.com/learn/python) + 1. [Official Python Tutorial](https://docs.python.org/2.7/tutorial/index.html) + 1. [Basics of Test-driven development](http://code.tutsplus.com/tutorials/beginning-test-driven-development-in-python--net-30137) --- -#### 2. Databases MariaDB / MySQL +#### 2. MariaDB / MySQL -You need to understand the basics of databases, like how to install, login, create new databases, and basic SQL queries. Here is a [very quick introduction to MySQL](https://www.digitalocean.com/community/tutorials/a-basic-mysql-tutorial) or head to [the MariaDB site for a more detailed understanding](https://mariadb.com/kb/en/mariadb/documentation/getting-started/) +To create database-driven apps with Frappe, you must understand the basics of database management, like how to install, login, create new databases, and basic SQL queries. + +Resources: + 1. [Codecademy Tutorial for SQL](https://www.codecademy.com/learn/learn-sql) + 1. [A basic MySQL tutorial by DigitalOcean](https://www.digitalocean.com/community/tutorials/a-basic-mysql-tutorial) + 1. [Getting started with MariaDB](https://mariadb.com/kb/en/mariadb/documentation/getting-started/) --- #### 3. HTML / CSS -If you are building user interfaces, you will need to [learn basic HTML / CSS](http://www.codecademy.com/tracks/web) and the [Boostrap CSS Framework](http://getbootstrap.com) +If you want to build user interfaces using Frappe, you will need to learn basic HTML / CSS and the Boostrap CSS Framework. + +Resources: + 1. [Codecademy Tutorial for HTML/CSS](https://www.codecademy.com/learn/learn-html-css) + 1. [Getting started with Bootstrap](https://getbootstrap.com/getting-started/) --- -#### 4. Building UI with Javascript and JQuery +#### 4. JavaScript and jQuery -To customize forms and create new rich user interfaces, it is best to [learn Javacsript](http://www.codecademy.com/tracks/javascript) and the [popular library JQuery](http://www.codecademy.com/tracks/jquery). +To customize forms and create rich user interfaces, you should learn JavaScript and the popular library jQuery. + +Resources: + 1. [Codecademy Tutorial for JavaScript](https://www.codecademy.com/learn/learn-javascript) + 1. [Codecademy Tutorial for jQuery](https://www.codecademy.com/learn/jquery) --- -#### 5. Customizing Prints and Web pages with Jinja Templating +#### 5. Jinja Templating + +If you are customizing Print templates or Web pages, you need to learn the Jinja Templating language. It is an easy way to create dynamic web pages (HTML). -If you are customizing Print templates, you need to learn the [Jinja Templating language](http://jinja.pocoo.org/). It is an easy way to create dynamic web pages (HTML). +Resources: + 1. [Primer on Jinja Templating](https://realpython.com/blog/python/primer-on-jinja-templating/) + 1. [Official Documentation](http://jinja.pocoo.org/) --- #### 6. Git and GitHub -[Learn how to contribute back to an open source project using Git and GitHub](https://guides.github.com/activities/contributing-to-open-source/), two great tools to help you manage your code and share it with others. +Learn how to contribute back to an open source project using Git and GitHub, two great tools to help you manage your code and share it with others. + +Resources: + 1. [Basic Git Tutorial](https://try.github.io) + 2. [How to contribute to Open Source](https://opensource.guide/how-to-contribute/) --- -When you are ready, [try building a sample application on Frappe]({{ docs_base_url }}/user/en/tutorial/app) +When you are ready, you can try [building a sample application]({{ docs_base_url }}/user/en/tutorial/app) using Frappe. diff --git a/frappe/email/doctype/auto_email_report/auto_email_report.js b/frappe/email/doctype/auto_email_report/auto_email_report.js index dcc51130c0..8db5aa9868 100644 --- a/frappe/email/doctype/auto_email_report/auto_email_report.js +++ b/frappe/email/doctype/auto_email_report/auto_email_report.js @@ -27,7 +27,7 @@ frappe.ui.form.on('Auto Email Report', { "/api/method/frappe.email.doctype.auto_email_report.auto_email_report.download?" +"name="+encodeURIComponent(frm.doc.name))); if(!w) { - msgprint(__("Please enable pop-ups")); return; + frappe.msgprint(__("Please enable pop-ups")); return; } }); frm.add_custom_button(__('Send Now'), function() { @@ -35,7 +35,7 @@ frappe.ui.form.on('Auto Email Report', { method: 'frappe.email.doctype.auto_email_report.auto_email_report.send_now', args: {name: frm.doc.name}, callback: function() { - msgprint(__('Scheduled to send')); + frappe.msgprint(__('Scheduled to send')); } }); }); @@ -62,7 +62,7 @@ frappe.ui.form.on('Auto Email Report', { var table = $('\ \
    '+__('Filter')+''+__('Value')+'
    ').appendTo(wrapper); - $('

    ' + __("Click table to edit") + '

    ').appendTo(wrapper); + $('

    ' + __("Click table to edit") + '

    ').appendTo(wrapper); var filters = JSON.parse(frm.doc.filters || '{}'); var report_filters = frappe.query_reports[frm.doc.report].filters; @@ -70,7 +70,7 @@ frappe.ui.form.on('Auto Email Report', { frm.set_value('filter_meta', JSON.stringify(report_filters)); } - report_filters_list = [] + var report_filters_list = [] $.each(report_filters, function(key, val){ // Remove break fieldtype from the filters if(val.fieldtype != 'Break') { diff --git a/frappe/email/doctype/email_account/email_account.js b/frappe/email/doctype/email_account/email_account.js index 552f5108ad..cb9efd707d 100644 --- a/frappe/email/doctype/email_account/email_account.js +++ b/frappe/email/doctype/email_account/email_account.js @@ -18,7 +18,6 @@ frappe.email_defaults = { "use_imap": 1 }, "Sendgrid": { - "enable_outgoing": 0, "enable_outgoing": 1, "smtp_server": "smtp.sendgrid.net", "smtp_port": 587, @@ -71,7 +70,7 @@ frappe.ui.form.on("Email Account", { service: function(frm) { $.each(frappe.email_defaults[frm.doc.service], function(key, value) { frm.set_value(key, value); - }) + }); if (!frm.doc.use_imap) { $.each(frappe.email_defaults_pop[frm.doc.service], function(key, value) { frm.set_value(key, value); @@ -94,7 +93,7 @@ frappe.ui.form.on("Email Account", { }, enable_incoming: function(frm) { - frm.doc.no_remaining = null //perform full sync + frm.doc.no_remaining = null; //perform full sync //frm.set_df_property("append_to", "reqd", frm.doc.enable_incoming); }, @@ -114,8 +113,8 @@ frappe.ui.form.on("Email Account", { frm.events.show_gmail_message_for_less_secure_apps(frm); if(frappe.route_flags.delete_user_from_locals && frappe.route_flags.linked_user) { - delete frappe.route_flags.delete_user_from_locals - delete locals['User'][frappe.route_flags.linked_user] + delete frappe.route_flags.delete_user_from_locals; + delete locals['User'][frappe.route_flags.linked_user]; } }, @@ -134,7 +133,7 @@ frappe.ui.form.on("Email Account", { update_domain: function(frm){ if (!frm.doc.email_id && !frm.doc.service){ - return + return; } frappe.call({ @@ -145,17 +144,17 @@ frappe.ui.form.on("Email Account", { }, callback: function (r) { if (r.message) { - frm.events.set_domain_fields(frm, r.message) + frm.events.set_domain_fields(frm, r.message); } else { - frm.set_value("domain", "") + frm.set_value("domain", ""); frappe.confirm(__('Email Domain not configured for this account, Create one?'), function () { frappe.model.with_doctype("Email Domain", function() { frappe.route_options = { email_id: frm.doc.email_id }; - frappe.route_flags.return_to_email_account = 1 + frappe.route_flags.return_to_email_account = 1; var doc = frappe.model.get_new_doc("Email Domain"); frappe.set_route("Form", "Email Domain", doc.name); - }) + }); } ); } @@ -165,26 +164,26 @@ frappe.ui.form.on("Email Account", { set_domain_fields: function(frm, args) { if(!args){ - args = frappe.route_flags.set_domain_values? frappe.route_options: {} + args = frappe.route_flags.set_domain_values? frappe.route_options: {}; } - for(field in args) { + for(var field in args) { frm.set_value(field, args[field]); } - delete frappe.route_flags.set_domain_values - frappe.route_options = {} + delete frappe.route_flags.set_domain_values; + frappe.route_options = {}; }, email_sync_option: function(frm) { // confirm if the ALL sync option is selected if(frm.doc.email_sync_option == "ALL"){ - msg = __("You are selecting Sync Option as ALL, It will resync all \ + var msg = __("You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ - of Communication (emails).") + of Communication (emails)."); frappe.confirm(msg, null, function() { - frm.set_value("email_sync_option", "UNSEEN") + frm.set_value("email_sync_option", "UNSEEN"); }); } } diff --git a/frappe/email/doctype/email_alert/email_alert.js b/frappe/email/doctype/email_alert/email_alert.js index 3736585f9a..ac5b2e6e4e 100755 --- a/frappe/email/doctype/email_alert/email_alert.js +++ b/frappe/email/doctype/email_alert/email_alert.js @@ -71,9 +71,9 @@ frappe.ui.form.on("Email Alert", { }, callback: function(r) { if(r.message) { - msgprint(r.message); + frappe.msgprint(r.message); } else { - msgprint(__('No alerts for today')); + frappe.msgprint(__('No alerts for today')); } } }); diff --git a/frappe/email/doctype/email_alert/email_alert.py b/frappe/email/doctype/email_alert/email_alert.py index f12cb26046..6e55f541b5 100755 --- a/frappe/email/doctype/email_alert/email_alert.py +++ b/frappe/email/doctype/email_alert/email_alert.py @@ -57,7 +57,7 @@ def get_context(context): if self.condition: try: frappe.safe_eval(self.condition, None, get_context(temp_doc)) - except: + except Exception: frappe.throw(_("The Condition '{0}' is invalid").format(self.condition)) def validate_forbidden_types(self): @@ -239,7 +239,7 @@ def evaluate_alert(doc, alert, event): frappe.throw(_("Error while evaluating Email Alert {0}. Please fix your template.").format(alert)) except Exception, e: frappe.log_error(message=frappe.get_traceback(), title=e) - frappe.throw("Error in Email Alert") + frappe.throw(_("Error in Email Alert")) def get_context(doc): return {"doc": doc, "nowdate": nowdate, "frappe.utils": frappe.utils} diff --git a/frappe/email/doctype/email_domain/email_domain.js b/frappe/email/doctype/email_domain/email_domain.js index 8b4fb70ffd..1716bf9900 100644 --- a/frappe/email/doctype/email_domain/email_domain.js +++ b/frappe/email/doctype/email_domain/email_domain.js @@ -9,8 +9,8 @@ frappe.ui.form.on("Email Domain", { frm.set_value("domain_name",frm.doc.email_id.split("@")[1]) } - if (frm.doc.__islocal != 1 && frappe.route_flags.return_to_email_account) { - var route = frappe.get_prev_route() + if (frm.doc.__islocal != 1 && frappe.route_flags.return_to_email_account) { + var route = frappe.get_prev_route(); delete frappe.route_flags.return_to_email_account; frappe.route_flags.set_domain_values = true diff --git a/frappe/email/doctype/email_domain/email_domain.py b/frappe/email/doctype/email_domain/email_domain.py index cb8aeaf2ab..395a15d8e3 100644 --- a/frappe/email/doctype/email_domain/email_domain.py +++ b/frappe/email/doctype/email_domain/email_domain.py @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe +from frappe import _ from frappe.model.document import Document from frappe.utils import validate_email_add ,cint import imaplib,poplib,smtplib @@ -37,7 +38,7 @@ class EmailDomain(Document): test = poplib.POP3(self.email_server) except Exception: - frappe.throw("Incoming email account not correct") + frappe.throw(_("Incoming email account not correct")) return None finally: try: @@ -52,8 +53,8 @@ class EmailDomain(Document): self.port = 587 sess = smtplib.SMTP((self.smtp_server or "").encode('utf-8'), cint(self.smtp_port) or None) sess.quit() - except Exception as e: - frappe.throw("Outgoing email account not correct") + except Exception: + frappe.throw(_("Outgoing email account not correct")) return None return diff --git a/frappe/email/doctype/email_group/email_group.js b/frappe/email/doctype/email_group/email_group.js index df4691c427..63c3832b47 100644 --- a/frappe/email/doctype/email_group/email_group.js +++ b/frappe/email/doctype/email_group/email_group.js @@ -10,7 +10,8 @@ frappe.ui.form.on("Email Group", "refresh", function(frm) { frm.add_custom_button(__("Import Subscribers"), function() { frappe.prompt({fieldtype:"Select", options: frm.doc.__onload.import_types, - label:__("Import Email From"), fieldname:"doctype", reqd:1}, function(data) { + label:__("Import Email From"), fieldname:"doctype", reqd:1}, + function(data) { frappe.call({ method: "frappe.email.doctype.email_group.email_group.import_from", args: { @@ -26,7 +27,8 @@ frappe.ui.form.on("Email Group", "refresh", function(frm) { frm.add_custom_button(__("Add Subscribers"), function() { frappe.prompt({fieldtype:"Text", - label:__("Email Addresses"), fieldname:"email_list", reqd:1}, function(data) { + label:__("Email Addresses"), fieldname:"email_list", reqd:1}, + function(data) { frappe.call({ method: "frappe.email.doctype.email_group.email_group.add_subscribers", args: { diff --git a/frappe/email/doctype/email_queue/email_queue_list.js b/frappe/email/doctype/email_queue/email_queue_list.js index d9d352f06d..0445a3ca19 100644 --- a/frappe/email/doctype/email_queue/email_queue_list.js +++ b/frappe/email/doctype/email_queue/email_queue_list.js @@ -1,10 +1,10 @@ frappe.listview_settings['Email Queue'] = { get_indicator: function(doc) { - colour = {'Sent': 'green', 'Sending': 'blue', 'Not Sent': 'grey', 'Error': 'red', 'Expired': 'orange'}; + var colour = {'Sent': 'green', 'Sending': 'blue', 'Not Sent': 'grey', 'Error': 'red', 'Expired': 'orange'}; return [__(doc.status), colour[doc.status], "status,=," + doc.status]; }, refresh: function(doclist){ - if (has_common(roles, ["Administrator", "System Manager"])){ + if (has_common(frappe.user_roles, ["Administrator", "System Manager"])){ if (cint(frappe.defaults.get_default("hold_queue"))){ doclist.page.clear_inner_toolbar() doclist.page.add_inner_button(__("Resume Sending"), function() { diff --git a/frappe/email/doctype/newsletter/newsletter.js b/frappe/email/doctype/newsletter/newsletter.js index 3f6ba4834d..48e29db048 100644 --- a/frappe/email/doctype/newsletter/newsletter.js +++ b/frappe/email/doctype/newsletter/newsletter.js @@ -1,10 +1,11 @@ // Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors // License: GNU General Public License v3. See license.txt +/* globals erpnext */ cur_frm.cscript.refresh = function(doc) { if(window.erpnext) erpnext.toggle_naming_series(); if(!doc.__islocal && !cint(doc.email_sent) && !doc.__unsaved - && inList(frappe.boot.user.can_write, doc.doctype)) { + && in_list(frappe.boot.user.can_write, doc.doctype)) { cur_frm.add_custom_button(__('Send'), function() { return $c_obj(doc, 'send_emails', '', function(r) { cur_frm.refresh(); diff --git a/frappe/email/email_body.py b/frappe/email/email_body.py index 43f79a3027..6d7dee38aa 100755 --- a/frappe/email/email_body.py +++ b/frappe/email/email_body.py @@ -9,6 +9,8 @@ from frappe.utils import (get_url, scrub_urls, strip, expand_relative_urls, cint split_emails, to_markdown, markdown, encode, random_string) import email.utils from frappe.utils import parse_addr +from six import iteritems + def get_email(recipients, sender='', msg='', subject='[No Subject]', text_content = None, footer=None, print_html=None, formatted=None, attachments=None, @@ -209,7 +211,7 @@ class EMail: } # reset headers as values may be changed. - for key, val in headers.iteritems(): + for key, val in iteritems(headers): self.set_header(key, val) # call hook to enable apps to modify msg_root before sending diff --git a/frappe/email/receive.py b/frappe/email/receive.py index 0ff632771e..a36e120a0b 100644 --- a/frappe/email/receive.py +++ b/frappe/email/receive.py @@ -2,6 +2,8 @@ # MIT License. See license.txt from __future__ import unicode_literals + +from six import iteritems from six.moves import range import time, _socket, poplib, imaplib, email, email.utils, datetime, chardet, re, hashlib from email_reply_parser import EmailReplyParser @@ -343,7 +345,7 @@ class EmailServer: return self.imap.select("Inbox") - for uid, operation in uid_list.iteritems(): + for uid, operation in iteritems(uid_list): if not uid: continue op = "+FLAGS" if operation == "Read" else "-FLAGS" diff --git a/frappe/email/smtp.py b/frappe/email/smtp.py index 1803dfb730..20a4a670a6 100644 --- a/frappe/email/smtp.py +++ b/frappe/email/smtp.py @@ -157,7 +157,7 @@ class SMTPServer: if not getattr(self, 'server'): err_msg = _('Email Account not setup. Please create a new Email Account from Setup > Email > Email Account') frappe.msgprint(err_msg) - raise frappe.OutgoingEmailError, err_msg + raise frappe.OutgoingEmailError(err_msg) try: if self.use_tls and not self.port: @@ -169,7 +169,7 @@ class SMTPServer: if not self._sess: err_msg = _('Could not connect to outgoing email server') frappe.msgprint(err_msg) - raise frappe.OutgoingEmailError, err_msg + raise frappe.OutgoingEmailError(err_msg) if self.use_tls: self._sess.ehlo() diff --git a/frappe/frappeclient.py b/frappe/frappeclient.py index 3ad77000e5..f0acec9fdc 100644 --- a/frappe/frappeclient.py +++ b/frappe/frappeclient.py @@ -2,6 +2,7 @@ from __future__ import print_function import requests import json import frappe +from six import iteritems ''' FrappeClient is a library that helps you connect with other frappe systems @@ -37,6 +38,7 @@ class FrappeClient(object): if r.status_code==200 and r.json().get('message') == "Logged In": return r.json() else: + print(r.text) raise AuthError def logout(self): @@ -269,7 +271,7 @@ class FrappeClient(object): def preprocess(self, params): """convert dicts, lists to json""" - for key, value in params.iteritems(): + for key, value in iteritems(params): if isinstance(value, (dict, list)): params[key] = json.dumps(value) diff --git a/frappe/geo/doctype/address/test_address.py b/frappe/geo/doctype/address/test_address.py deleted file mode 100644 index 2c067799f9..0000000000 --- a/frappe/geo/doctype/address/test_address.py +++ /dev/null @@ -1,18 +0,0 @@ -# -*- coding: utf-8 -*- -# Copyright (c) 2015, Frappe Technologies and Contributors -# See license.txt -from __future__ import unicode_literals - -import frappe, unittest -test_records = frappe.get_test_records('Address') - -from frappe.geo.doctype.address.address import get_address_display - -class TestAddress(unittest.TestCase): - def test_template_works(self): - address = frappe.get_list("Address")[0].name - display = get_address_display(frappe.get_doc("Address", address).as_dict()) - self.assertTrue(display) - - -test_dependencies = ["Address Template"] diff --git a/frappe/geo/doctype/address/test_records.json b/frappe/geo/doctype/address/test_records.json deleted file mode 100644 index 1c418f7bef..0000000000 --- a/frappe/geo/doctype/address/test_records.json +++ /dev/null @@ -1,13 +0,0 @@ -[ - { - "address_line1": "_Test Address Line 1", - "address_title": "_Test Address", - "address_type": "Office", - "city": "_Test City", - "state": "Test State", - "country": "India", - "doctype": "Address", - "is_primary_address": 1, - "phone": "+91 0000000000" - } -] \ No newline at end of file diff --git a/frappe/geo/doctype/address_template/test_address_template.py b/frappe/geo/doctype/address_template/test_address_template.py deleted file mode 100644 index 8e300ac457..0000000000 --- a/frappe/geo/doctype/address_template/test_address_template.py +++ /dev/null @@ -1,24 +0,0 @@ -# -*- coding: utf-8 -*- -# Copyright (c) 2015, Frappe Technologies and Contributors -# See license.txt -from __future__ import unicode_literals - -import frappe, unittest -test_records = frappe.get_test_records('Address Template') - -class TestAddressTemplate(unittest.TestCase): - def test_default_is_unset(self): - a = frappe.get_doc("Address Template", "India") - a.is_default = 1 - a.save() - - b = frappe.get_doc("Address Template", "Brazil") - b.is_default = 1 - b.save() - - self.assertEqual(frappe.db.get_value("Address Template", "India", "is_default"), 0) - - def tearDown(self): - a = frappe.get_doc("Address Template", "India") - a.is_default = 1 - a.save() diff --git a/frappe/geo/doctype/address_template/test_records.json b/frappe/geo/doctype/address_template/test_records.json deleted file mode 100644 index 412c9e745b..0000000000 --- a/frappe/geo/doctype/address_template/test_records.json +++ /dev/null @@ -1,13 +0,0 @@ -[ - { - "country": "India", - "is_default": 1, - "template": "{{ address_title }}
    \n{{ address_line1 }}
    \n{% if address_line2 %}{{ address_line2 }}
    {% endif %}\n{{ city }}
    \n{% if state %}{{ state }}
    {% endif %}\n{% if pincode %} PIN / ZIP: {{ pincode }}
    {% endif %}\n{{ country }}
    \n{% if phone %}Phone: {{ phone }}
    {% endif %}\n{% if fax %}Fax: {{ fax }}
    {% endif %}\n{% if email_id %}Email: {{ email_id }}
    {% endif %}\n" - }, - { - "country": "Brazil", - "is_default": 0, - "template": "{{ address_title }}
    \n{{ address_line1 }}
    \n{% if address_line2 %}{{ address_line2 }}
    {% endif %}\n{{ city }}
    \n{% if state %}{{ state }}
    {% endif %}\n{% if pincode %} PIN / ZIP: {{ pincode }}
    {% endif %}\n{{ country }}
    \n{% if phone %}Phone: {{ phone }}
    {% endif %}\n{% if fax %}Fax: {{ fax }}
    {% endif %}\n{% if email_id %}Email: {{ email_id }}
    {% endif %}\n" - } -] - diff --git a/frappe/hooks.py b/frappe/hooks.py index e1618b89d0..2d28b74d91 100755 --- a/frappe/hooks.py +++ b/frappe/hooks.py @@ -79,8 +79,8 @@ permission_query_conditions = { "User": "frappe.core.doctype.user.user.get_permission_query_conditions", "Note": "frappe.desk.doctype.note.note.get_permission_query_conditions", "Kanban Board": "frappe.desk.doctype.kanban_board.kanban_board.get_permission_query_conditions", - "Contact": "frappe.geo.address_and_contact.get_permission_query_conditions_for_contact", - "Address": "frappe.geo.address_and_contact.get_permission_query_conditions_for_address", + "Contact": "frappe.contacts.address_and_contact.get_permission_query_conditions_for_contact", + "Address": "frappe.contacts.address_and_contact.get_permission_query_conditions_for_address", "Communication": "frappe.core.doctype.communication.communication.get_permission_query_conditions_for_communication" } @@ -90,13 +90,13 @@ has_permission = { "User": "frappe.core.doctype.user.user.has_permission", "Note": "frappe.desk.doctype.note.note.has_permission", "Kanban Board": "frappe.desk.doctype.kanban_board.kanban_board.has_permission", - "Contact": "frappe.geo.address_and_contact.has_permission", - "Address": "frappe.geo.address_and_contact.has_permission", + "Contact": "frappe.contacts.address_and_contact.has_permission", + "Address": "frappe.contacts.address_and_contact.has_permission", "Communication": "frappe.core.doctype.communication.communication.has_permission", } has_website_permission = { - "Address": "frappe.geo.doctype.address.address.has_website_permission" + "Address": "frappe.contacts.doctype.address.address.has_website_permission" } standard_queries = { diff --git a/frappe/installer.py b/frappe/installer.py index f4a4b1a711..8b061428e3 100755 --- a/frappe/installer.py +++ b/frappe/installer.py @@ -11,6 +11,7 @@ import frappe import frappe.database import getpass import importlib +from frappe import _ from frappe.model.db_schema import DbManager from frappe.model.sync import sync_for from frappe.utils.fixtures import sync_fixtures @@ -121,7 +122,7 @@ def install_app(name, verbose=False, set_as_patched=True): raise Exception("App not in apps.txt") if name in installed_apps: - frappe.msgprint("App {0} already installed".format(name)) + frappe.msgprint(_("App {0} already installed").format(name)) return print("Installing {0}...".format(name)) diff --git a/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js b/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js index a9cdeca66a..2e3c707a5e 100644 --- a/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +++ b/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js @@ -8,16 +8,24 @@ frappe.ui.form.on('Dropbox Settings', { }, allow_dropbox_access: function(frm) { - if ((frm.doc.app_access_key && frm.doc.app_secret_key) || frm.doc.dropbox_setup_via_site_config) { + if (frm.doc.app_access_key && frm.doc.app_secret_key) { frappe.call({ method: "frappe.integrations.doctype.dropbox_settings.dropbox_settings.get_dropbox_authorize_url", freeze: true, callback: function(r) { if(!r.exc) { - frm.set_value('dropbox_access_key', r.message.dropbox_access_key) - frm.set_value('dropbox_access_secret', r.message.dropbox_access_secret) - frm.save() - window.open(r.message.url); + window.open(r.message.auth_url); + } + } + }) + } + else if (frm.doc.dropbox_setup_via_site_config) { + frappe.call({ + method: "frappe.integrations.doctype.dropbox_settings.dropbox_settings.get_redirect_url", + freeze: true, + callback: function(r) { + if(!r.exc) { + window.open(r.message.auth_url); } } }) @@ -29,14 +37,12 @@ frappe.ui.form.on('Dropbox Settings', { take_backup: function(frm) { if ((frm.doc.app_access_key && frm.doc.app_secret_key) || frm.doc.dropbox_setup_via_site_config){ - if (frm.doc.dropbox_access_key && frm.doc.dropbox_access_secret) { - frm.add_custom_button(__("Take Backup Now"), function(frm){ - frappe.call({ - method: "frappe.integrations.doctype.dropbox_settings.dropbox_settings.take_backup", - freeze: true - }) - }).addClass("btn-primary") - } + frm.add_custom_button(__("Take Backup Now"), function(frm){ + frappe.call({ + method: "frappe.integrations.doctype.dropbox_settings.dropbox_settings.take_backup", + freeze: true + }) + }).addClass("btn-primary") } } }); diff --git a/frappe/integrations/doctype/dropbox_settings/dropbox_settings.json b/frappe/integrations/doctype/dropbox_settings/dropbox_settings.json index d4901632b2..cbe1fe8b1a 100644 --- a/frappe/integrations/doctype/dropbox_settings/dropbox_settings.json +++ b/frappe/integrations/doctype/dropbox_settings/dropbox_settings.json @@ -12,6 +12,7 @@ "editable_grid": 1, "fields": [ { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -41,6 +42,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -70,6 +72,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -100,6 +103,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -130,6 +134,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -160,6 +165,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -189,6 +195,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -218,6 +225,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -247,6 +255,37 @@ "unique": 0 }, { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "dropbox_access_token", + "fieldtype": "Password", + "hidden": 1, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Dropbox Access Token", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -286,7 +325,7 @@ "issingle": 1, "istable": 0, "max_attachments": 0, - "modified": "2017-03-08 17:25:45.564492", + "modified": "2017-06-20 15:45:33.683827", "modified_by": "Administrator", "module": "Integrations", "name": "Dropbox Settings", diff --git a/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py b/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py index a425de4187..2fb512e8a0 100644 --- a/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +++ b/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py @@ -6,11 +6,14 @@ from __future__ import unicode_literals import frappe import os from frappe import _ +from frappe.model.document import Document +import dropbox, json from frappe.utils.backups import new_backup from frappe.utils.background_jobs import enqueue +from urlparse import urlparse, parse_qs +from frappe.integrations.utils import make_post_request from frappe.utils import (cint, split_emails, get_request_site_address, cstr, - get_files_path, get_backups_path, encode) -from frappe.model.document import Document + get_files_path, get_backups_path, encode, get_url) ignore_list = [".DS_Store"] @@ -19,88 +22,6 @@ class DropboxSettings(Document): if not self.app_access_key and frappe.conf.dropbox_access_key: self.dropbox_setup_via_site_config = 1 - def validate(self): - if not self.flags.ignore_mandatory: - self.validate_dropbox_credentails() - - def validate_dropbox_credentails(self): - try: - self.get_dropbox_session() - except Exception as e: - frappe.throw(e.message) - - def get_dropbox_session(self): - try: - from dropbox import session - except: - raise Exception(_("Please install dropbox python module")) - - app_access_key = self.app_access_key or frappe.conf.dropbox_access_key - app_secret_key = self.get_password(fieldname="app_secret_key", - raise_exception=False) if self.app_secret_key else frappe.conf.dropbox_secret_key - - if not (app_access_key or app_secret_key): - raise Exception(_("Please set Dropbox access keys in your site config")) - - sess = session.DropboxSession(app_access_key, app_secret_key, "app_folder") - - return sess - -#get auth token -@frappe.whitelist() -def get_dropbox_authorize_url(): - doc = frappe.get_doc("Dropbox Settings") - sess = doc.get_dropbox_session() - request_token = sess.obtain_request_token() - - doc.update({ - "dropbox_access_key": request_token.key, - "dropbox_access_secret": request_token.secret - }) - - return_address = get_request_site_address(True) \ - + "?cmd=frappe.integrations.doctype.dropbox_settings.dropbox_settings.dropbox_callback" - - url = sess.build_authorize_url(request_token, return_address) - - return { - "url": url, - "dropbox_access_key": request_token.key, - "dropbox_access_secret": request_token.secret - } - -@frappe.whitelist(allow_guest=True) -def dropbox_callback(oauth_token=None, not_approved=False): - doc = frappe.get_doc("Dropbox Settings") - close = '

    ' + _('Please close this window') + '

    ' - - if not not_approved: - if doc.get_password(fieldname="dropbox_access_key", raise_exception=False)==oauth_token: - sess = doc.get_dropbox_session() - sess.set_request_token(doc.get_password(fieldname="dropbox_access_key", raise_exception=False), - doc.get_password(fieldname="dropbox_access_secret", raise_exception=False)) - - access_token = sess.obtain_access_token() - - frappe.db.set_value("Dropbox Settings", None, "dropbox_access_key", access_token.key) - frappe.db.set_value("Dropbox Settings", None, "dropbox_access_secret", access_token.secret) - - frappe.db.commit() - else: - frappe.respond_as_web_page(_("Dropbox Setup"), - _("Illegal Access Token. Please try again") + close, - indicator_color='red', - http_status_code=frappe.AuthenticationError.http_status_code) - else: - frappe.respond_as_web_page(_("Dropbox Setup"), - _("You did not apporve Dropbox Access.") + close, - indicator_color='red') - - frappe.respond_as_web_page(_("Dropbox Setup"), - _("Dropbox access is approved!") + close, - indicator_color='red') - -# backup process @frappe.whitelist() def take_backup(): "Enqueue longjob for taking backup to dropbox" @@ -158,92 +79,46 @@ def backup_to_dropbox(): if not frappe.db: frappe.connect() - dropbox_client = get_dropbox_client() # upload database + dropbox_settings = get_dropbox_settings() + + if not dropbox_settings['access_token']: + access_token = generate_oauth2_access_token_from_oauth1_token(dropbox_settings) + + if not access_token.get('oauth2_token'): + return + + dropbox_settings['access_token'] = access_token['oauth2_token'] + set_dropbox_access_token(access_token['oauth2_token']) + + + dropbox_client = dropbox.Dropbox(dropbox_settings['access_token']) backup = new_backup(ignore_files=True) filename = os.path.join(get_backups_path(), os.path.basename(backup.backup_path_db)) - dropbox_client = upload_file_to_dropbox(filename, "/database", dropbox_client) + upload_file_to_dropbox(filename, "/database", dropbox_client) frappe.db.close() - + # upload files to files folder did_not_upload = [] error_log = [] - dropbox_client = upload_from_folder(get_files_path(), "/files", dropbox_client, did_not_upload, error_log) - dropbox_client = upload_from_folder(get_files_path(is_private=1), "/private/files", dropbox_client, did_not_upload, error_log) + upload_from_folder(get_files_path(), "/files", dropbox_client, did_not_upload, error_log) + upload_from_folder(get_files_path(is_private=1), "/private/files", dropbox_client, did_not_upload, error_log) frappe.connect() - return did_not_upload, list(set(error_log)) -def get_dropbox_client(previous_dropbox_client=None): - from dropbox import client - doc = frappe.get_doc("Dropbox Settings") - sess = doc.get_dropbox_session() - - sess.set_token(doc.get_password(fieldname="dropbox_access_key", raise_exception=False), - doc.get_password(fieldname="dropbox_access_secret", raise_exception=False)) - - dropbox_client = client.DropboxClient(sess) - - # upgrade to oauth2 - token = dropbox_client.create_oauth2_access_token() - dropbox_client = client.DropboxClient(token) - if previous_dropbox_client: - dropbox_client.connection_reset_count = previous_dropbox_client.connection_reset_count + 1 - else: - dropbox_client.connection_reset_count = 0 - return dropbox_client - -def upload_file_to_dropbox(filename, folder, dropbox_client): - from dropbox import rest - size = os.stat(encode(filename)).st_size - - with open(encode(filename), 'r') as f: - # if max packet size reached, use chunked uploader - max_packet_size = 4194304 - - if size > max_packet_size: - uploader = dropbox_client.get_chunked_uploader(f, size) - while uploader.offset < size: - try: - uploader.upload_chunked() - uploader.finish(folder + "/" + os.path.basename(filename), overwrite=True) - - except rest.ErrorResponse as e: - # if "[401] u'Access token not found.'", - # it means that the user needs to again allow dropbox backup from the UI - # so re-raise - exc_message = cstr(e) - if (exc_message.startswith("[401]") - and dropbox_client.connection_reset_count < 10 - and exc_message != "[401] u'Access token not found.'"): - - - # session expired, so get a new connection! - # [401] u"The given OAuth 2 access token doesn't exist or has expired." - dropbox_client = get_dropbox_client(dropbox_client) - - else: - raise - else: - dropbox_client.put_file(folder + "/" + os.path.basename(filename), f, overwrite=True) - - return dropbox_client - def upload_from_folder(path, dropbox_folder, dropbox_client, did_not_upload, error_log): - import dropbox.rest - if not os.path.exists(path): return try: - response = dropbox_client.metadata(dropbox_folder) - except dropbox.rest.ErrorResponse as e: + response = dropbox_client.files_list_folder(dropbox_folder) + except dropbox.exceptions.ApiError as e: # folder not found - if e.status == 404: - response = {"contents": []} + if isinstance(e.error, dropbox.files.ListFolderError): + response = frappe._dict({"entries": []}) else: raise @@ -255,17 +130,154 @@ def upload_from_folder(path, dropbox_folder, dropbox_client, did_not_upload, err found = False filepath = os.path.join(path, filename) - for file_metadata in response["contents"]: - if (os.path.basename(filepath) == os.path.basename(file_metadata["path"]) - and os.stat(encode(filepath)).st_size == int(file_metadata["bytes"])): + for file_metadata in response.entries: + if (os.path.basename(filepath) == file_metadata.name + and os.stat(encode(filepath)).st_size == int(file_metadata.size)): found = True break if not found: try: - dropbox_client = upload_file_to_dropbox(filepath, dropbox_folder, dropbox_client) + upload_file_to_dropbox(filepath, dropbox_folder, dropbox_client) except Exception: did_not_upload.append(filename) error_log.append(frappe.get_traceback()) - return dropbox_client +def upload_file_to_dropbox(filename, folder, dropbox_client): + create_folder_if_not_exists(folder, dropbox_client) + chunk_size = 4 * 1024 * 1024 + file_size = os.path.getsize(filename) + mode = (dropbox.files.WriteMode.overwrite) + + f = open(encode(filename), 'rb') + path = "{0}/{1}".format(folder, os.path.basename(filename)) + + if file_size <= chunk_size: + dropbox_client.files_upload(f.read(), path, mode) + else: + upload_session_start_result = dropbox_client.files_upload_session_start(f.read(chunk_size)) + cursor = dropbox.files.UploadSessionCursor(session_id=upload_session_start_result.session_id, offset=f.tell()) + commit = dropbox.files.CommitInfo(path=path, mode=mode) + + while f.tell() < file_size: + if ((file_size - f.tell()) <= chunk_size): + dropbox_client.files_upload_session_finish(f.read(chunk_size), cursor, commit) + else: + dropbox_client.files_upload_session_append(f.read(chunk_size), cursor.session_id,cursor.offset) + cursor.offset = f.tell() + +def create_folder_if_not_exists(folder, dropbox_client): + try: + dropbox_client.files_get_metadata(folder) + except dropbox.exceptions.ApiError as e: + # folder not found + if isinstance(e.error, dropbox.files.GetMetadataError): + dropbox_client.files_create_folder(folder) + else: + raise + +def get_dropbox_settings(redirect_uri=False): + settings = frappe.get_doc("Dropbox Settings") + app_details = { + "app_key": settings.app_access_key or frappe.conf.dropbox_access_key, + "app_secret": settings.get_password(fieldname="app_secret_key", raise_exception=False) + if settings.app_secret_key else frappe.conf.dropbox_secret_key, + 'access_token': settings.get_password('dropbox_access_token', raise_exception=False) + if settings.dropbox_access_token else '', + 'access_key': settings.get_password('dropbox_access_key', raise_exception=False), + 'access_secret': settings.get_password('dropbox_access_secret', raise_exception=False) + } + + if redirect_uri: + app_details.update({ + 'rediret_uri': get_request_site_address(True) \ + + '/api/method/frappe.integrations.doctype.dropbox_settings.dropbox_settings.dropbox_auth_finish' \ + if settings.app_secret_key else frappe.conf.dropbox_broker_site\ + + '/api/method/dropbox_erpnext_broker.www.setup_dropbox.generate_dropbox_access_token', + }) + + if not app_details['app_key'] or not app_details['app_secret']: + raise Exception(_("Please set Dropbox access keys in your site config")) + + return app_details + +@frappe.whitelist() +def get_redirect_url(): + url = "{0}/api/method/dropbox_erpnext_broker.www.setup_dropbox.get_authotize_url".format(frappe.conf.dropbox_broker_site) + + try: + response = make_post_request(url, data={"site": get_url()}) + if response.get("message"): + return response["message"] + + except Exception as e: + frappe.log_error() + frappe.throw( + _("Something went wrong while generating dropbox access token. Please check error log for more details.") + ) + +@frappe.whitelist() +def get_dropbox_authorize_url(): + app_details = get_dropbox_settings(redirect_uri=True) + dropbox_oauth_flow = dropbox.DropboxOAuth2Flow( + app_details["app_key"], + app_details["app_secret"], + app_details["rediret_uri"], + {}, + "dropbox-auth-csrf-token" + ) + + auth_url = dropbox_oauth_flow.start() + + return { + "auth_url": auth_url, + "args": parse_qs(urlparse(auth_url).query) + } + +@frappe.whitelist() +def dropbox_auth_finish(return_access_token=False): + app_details = get_dropbox_settings(redirect_uri=True) + callback = frappe.form_dict + close = '

    ' + _('Please close this window') + '

    ' + + dropbox_oauth_flow = dropbox.DropboxOAuth2Flow( + app_details["app_key"], + app_details["app_secret"], + app_details["rediret_uri"], + { + 'dropbox-auth-csrf-token': callback.state + }, + "dropbox-auth-csrf-token" + ) + + if callback.state or callback.code: + token = dropbox_oauth_flow.finish({'state': callback.state, 'code': callback.code}) + if return_access_token and token.access_token: + return token.access_token, callback.state + + set_dropbox_access_token(token.access_token) + else: + frappe.respond_as_web_page(_("Dropbox Setup"), + _("Illegal Access Token. Please try again") + close, + indicator_color='red', + http_status_code=frappe.AuthenticationError.http_status_code) + + frappe.respond_as_web_page(_("Dropbox Setup"), + _("Dropbox access is approved!") + close, + indicator_color='green') + +@frappe.whitelist(allow_guest=True) +def set_dropbox_access_token(access_token): + frappe.db.set_value("Dropbox Settings", None, 'dropbox_access_token', access_token) + frappe.db.commit() + +def generate_oauth2_access_token_from_oauth1_token(dropbox_settings=None): + url = "https://api.dropboxapi.com/2/auth/token/from_oauth1" + headers = {"Content-Type": "application/json"} + auth = (dropbox_settings["app_key"], dropbox_settings["app_secret"]) + data = { + "oauth1_token": dropbox_settings["access_key"], + "oauth1_token_secret": dropbox_settings["access_secret"] + } + + return make_post_request(url, auth=auth, headers=headers, data=json.dumps(data)) diff --git a/frappe/integrations/doctype/gsuite_settings/__init__.py b/frappe/integrations/doctype/gsuite_settings/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/integrations/doctype/gsuite_settings/gsuite_settings.js b/frappe/integrations/doctype/gsuite_settings/gsuite_settings.js new file mode 100644 index 0000000000..71db53c5cc --- /dev/null +++ b/frappe/integrations/doctype/gsuite_settings/gsuite_settings.js @@ -0,0 +1,42 @@ +// Copyright (c) 2017, Frappe Technologies and contributors +// For license information, please see license.txt + +frappe.ui.form.on('GSuite Settings', { + refresh: function(frm) { + frm.clear_custom_buttons(); + }, + + allow_gsuite_access: function(frm) { + if (frm.doc.client_id && frm.doc.client_secret) { + frappe.call({ + method: "frappe.integrations.doctype.gsuite_settings.gsuite_settings.gsuite_callback", + callback: function(r) { + if(!r.exc) { + frm.save(); + window.open(r.message.url); + } + } + }); + } + else { + frappe.msgprint(__("Please enter values for GSuite Access Key and GSuite Access Secret")) + } + }, + run_script_test: function(frm) { + if (frm.doc.client_id && frm.doc.client_secret) { + frappe.call({ + method: "frappe.integrations.doctype.gsuite_settings.gsuite_settings.run_script_test", + callback: function(r) { + if(!r.exc) { + if (r.message == 'ping') { + frappe.msgprint(__('GSuite test executed with success. GSuite integration is correctly configured'),__('GSuite script test')); + } + } + } + }); + } + else { + frappe.msgprint(__("Please enter values for GSuite Access Key and GSuite Access Secret")); + } + } +}); diff --git a/frappe/integrations/doctype/gsuite_settings/gsuite_settings.json b/frappe/integrations/doctype/gsuite_settings/gsuite_settings.json new file mode 100644 index 0000000000..49cf853853 --- /dev/null +++ b/frappe/integrations/doctype/gsuite_settings/gsuite_settings.json @@ -0,0 +1,404 @@ +{ + "allow_copy": 1, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "beta": 0, + "creation": "2017-04-21 16:57:30.264478", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "System", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "enable", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Enable", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:doc.enable", + "fieldname": "google_credentials", + "fieldtype": "Section Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Google Credentials", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "", + "fieldname": "client_id", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Client ID", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "", + "fieldname": "client_secret", + "fieldtype": "Password", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Client Secret", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:(doc.client_secret && doc.client_id)", + "fieldname": "allow_gsuite_access", + "fieldtype": "Button", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Allow GSuite access", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 1, + "columns": 0, + "depends_on": "eval:doc.enable", + "fieldname": "google_apps_script", + "fieldtype": "Section Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Google Apps Script", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "https://script.google.com/macros/s/AKfycbxIFOx3301xwtF2IFPJ4pUQGqkNF3hBiBebppWkeKn6fKZRQvk/exec", + "depends_on": "", + "description": "If you aren't using own publish Google Apps Script webapp you can use the default https://script.google.com/macros/s/AKfycbxIFOx3301xwtF2IFPJ4pUQGqkNF3hBiBebppWkeKn6fKZRQvk/exec ", + "fieldname": "script_url", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Script URL", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "", + "description": "Copy and paste this code into and empty Code.gs in your project at script.google.com", + "fieldname": "script_code", + "fieldtype": "HTML", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Script Code", + "length": 0, + "no_copy": 0, + "options": "// ERPNEXT GSuite integration\n//\n\nfunction doGet(e){\n return ContentService.createTextOutput('ok');\n}\n\nfunction doPost(e) {\n var p = JSON.parse(e.postData.contents);\n\n switch(p.exec){\n case 'new':\n var url = createDoc(p);\n result = { 'url': url };\n break;\n case 'test':\n result = { 'test':'ping' , 'version':'1.0'}\n }\n return ContentService.createTextOutput(JSON.stringify(result)).setMimeType(ContentService.MimeType.JSON);\n}\n\nfunction replaceVars(body,p){\n for (key in p) {\n if (p.hasOwnProperty(key)) {\n if (p[key] != null) {\n body.replaceText('{{'+key+'}}', p[key]);\n }\n }\n } \n}\n\nfunction createDoc(p) {\n if(p.destination){\n var folder = DriveApp.getFolderById(p.destination);\n } else {\n var folder = DriveApp.getRootFolder();\n }\n var template = DriveApp.getFileById( p.template )\n var newfile = template.makeCopy( p.filename , folder );\n\n switch(newfile.getMimeType()){\n case MimeType.GOOGLE_DOCS:\n var body = DocumentApp.openById(newfile.getId()).getBody();\n replaceVars(body,p.vars);\n break;\n case MimeType.GOOGLE_SHEETS:\n //TBD\n case MimeType.GOOGLE_SLIDES:\n //TBD\n }\n return newfile.getUrl()\n}\n\n", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 1, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:(doc.client_id && doc.client_secret && doc.authorization_code && doc.refresh_token && doc.script_url)", + "fieldname": "run_script_test", + "fieldtype": "Button", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Run Script Test", + "length": 0, + "no_copy": 1, + "permlevel": 0, + "precision": "", + "print_hide": 1, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 1, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "refresh_token", + "fieldtype": "Password", + "hidden": 1, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "refresh_token", + "length": 0, + "no_copy": 1, + "permlevel": 0, + "precision": "", + "print_hide": 1, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 1, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "authorization_code", + "fieldtype": "Password", + "hidden": 1, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Authorization Code", + "length": 0, + "no_copy": 1, + "permlevel": 0, + "precision": "", + "print_hide": 1, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 1, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 1, + "is_submittable": 0, + "issingle": 1, + "istable": 0, + "max_attachments": 0, + "modified": "2017-05-19 15:28:44.663715", + "modified_by": "Administrator", + "module": "Integrations", + "name": "GSuite Settings", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 0, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + } + ], + "quick_entry": 1, + "read_only": 1, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0 +} \ No newline at end of file diff --git a/frappe/integrations/doctype/gsuite_settings/gsuite_settings.py b/frappe/integrations/doctype/gsuite_settings/gsuite_settings.py new file mode 100644 index 0000000000..9b6be3422d --- /dev/null +++ b/frappe/integrations/doctype/gsuite_settings/gsuite_settings.py @@ -0,0 +1,87 @@ + # Copyright (c) 2017, Frappe Technologies and contributors +# -*- coding: utf-8 -*- +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe import _ +from frappe.model.document import Document +from frappe.utils import get_request_site_address +import requests +from json import dumps +from frappe.utils.response import json_handler + +SCOPES = 'https://www.googleapis.com/auth/drive' + +class GSuiteSettings(Document): + + def get_access_token(self): + if not self.refresh_token: + raise UserError(_("Google GSuite is not configured.")) + data = { + 'client_id': self.client_id, + 'client_secret': self.get_password(fieldname='client_secret',raise_exception=False), + 'refresh_token': self.get_password(fieldname='refresh_token',raise_exception=False), + 'grant_type': "refresh_token", + 'scope': SCOPES + } + try: + r = requests.post('https://www.googleapis.com/oauth2/v4/token', data=data).json() + except requests.exceptions.HTTPError: + frappe.throw(_("Something went wrong during the token generation. Please request again an authorization code.")) + return r.get('access_token') + +@frappe.whitelist() +def gsuite_callback(code=None): + doc = frappe.get_doc("GSuite Settings") + if code is None: + return { + 'url': 'https://accounts.google.com/o/oauth2/v2/auth?access_type=offline&response_type=code&client_id={}&scope={}&redirect_uri={}?cmd=frappe.integrations.doctype.gsuite_settings.gsuite_settings.gsuite_callback'.format(doc.client_id, SCOPES, get_request_site_address(True)) + } + else: + try: + data = {'code': code, + 'client_id': doc.client_id, + 'client_secret': doc.get_password(fieldname='client_secret',raise_exception=False), + 'redirect_uri': get_request_site_address(True) + '?cmd=frappe.integrations.doctype.gsuite_settings.gsuite_settings.gsuite_callback', + 'grant_type': 'authorization_code'} + r = requests.post('https://www.googleapis.com/oauth2/v4/token', data=data).json() + frappe.db.set_value("Gsuite Settings", None, "authorization_code", code) + if r.has_key('refresh_token'): + frappe.db.set_value("Gsuite Settings", None, "refresh_token", r['refresh_token']) + frappe.db.commit() + return + except Exception, e: + frappe.throw(e.message) + +def run_gsuite_script(option, filename = None, template_id = None, destination_id = None, json_data = None): + gdoc = frappe.get_doc('GSuite Settings') + if gdoc.script_url: + data = { + 'exec': option, + 'filename': filename, + 'template': template_id, + 'destination': destination_id, + 'vars' : json_data + } + headers = {'Authorization': 'Bearer {}'.format( gdoc.get_access_token() )} + + try: + r = requests.post(gdoc.script_url, headers=headers, data=dumps(data, default=json_handler, separators=(',',':'))) + except Exception, e: + frappe.throw(e.message) + + try: + r = r.json() + except: + # if request doesn't return json show HTML ask permissions or to identify the error on google side + frappe.throw(r.text) + + return r + else: + frappe.throw(_('Please set script URL on Gsuite Settings')) + +@frappe.whitelist() +def run_script_test(): + r = run_gsuite_script('test') + return r['test'] diff --git a/frappe/integrations/doctype/gsuite_templates/__init__.py b/frappe/integrations/doctype/gsuite_templates/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/frappe/integrations/doctype/gsuite_templates/gsuite_templates.js b/frappe/integrations/doctype/gsuite_templates/gsuite_templates.js new file mode 100644 index 0000000000..d046709230 --- /dev/null +++ b/frappe/integrations/doctype/gsuite_templates/gsuite_templates.js @@ -0,0 +1,8 @@ +// Copyright (c) 2017, Frappe Technologies and contributors +// For license information, please see license.txt + +frappe.ui.form.on('GSuite Templates', { + refresh: function(frm) { + + } +}); diff --git a/frappe/integrations/doctype/gsuite_templates/gsuite_templates.json b/frappe/integrations/doctype/gsuite_templates/gsuite_templates.json new file mode 100644 index 0000000000..6543e8847e --- /dev/null +++ b/frappe/integrations/doctype/gsuite_templates/gsuite_templates.json @@ -0,0 +1,215 @@ +{ + "allow_copy": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "autoname": "field:template_name", + "beta": 0, + "creation": "2017-04-24 09:53:41.813982", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "Setup", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "template_name", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Template Name", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 1, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "related_doctype", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Related DocType", + "length": 0, + "no_copy": 0, + "options": "DocType", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "template_id", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Template ID", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 1, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "New Document for {name} ", + "fieldname": "document_name", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Document Name", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 1, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "destination_id", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Destination ID", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2017-05-12 16:50:08.074882", + "modified_by": "Administrator", + "module": "Integrations", + "name": "GSuite Templates", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "apply_user_permissions": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + } + ], + "quick_entry": 0, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0 +} \ No newline at end of file diff --git a/frappe/integrations/doctype/gsuite_templates/gsuite_templates.py b/frappe/integrations/doctype/gsuite_templates/gsuite_templates.py new file mode 100644 index 0000000000..ff85ac8398 --- /dev/null +++ b/frappe/integrations/doctype/gsuite_templates/gsuite_templates.py @@ -0,0 +1,42 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe import _ +from frappe.model.document import Document +from frappe.integrations.doctype.gsuite_settings.gsuite_settings import run_gsuite_script +from frappe.utils.file_manager import save_url + +class GSuiteTemplates(Document): + pass + +@frappe.whitelist() +def create_gsuite_doc(doctype, docname, gs_template=None): + templ = frappe.get_doc('GSuite Templates', gs_template) + doc = frappe.get_doc(doctype, docname) + + if not doc.has_permission("read"): + raise frappe.PermissionError + + json_data = doc.as_dict() + filename = templ.document_name.format(**json_data) + + r = run_gsuite_script('new', filename, templ.template_id, templ.destination_id, json_data) + + filedata = save_url(r['url'], filename, doctype, docname, "Home/Attachments", True) + comment = frappe.get_doc(doctype, docname).add_comment("Attachment", + _("added {0}").format("{file_name}{icon}".format(**{ + "icon": ' ' if filedata.is_private else "", + "file_url": filedata.file_url.replace("#", "%23") if filedata.file_name else filedata.file_url, + "file_name": filedata.file_name or filedata.file_url + }))) + + return { + "name": filedata.name, + "file_name": filedata.file_name, + "file_url": filedata.file_url, + "is_private": filedata.is_private, + "comment": comment.as_dict() if comment else {} + } diff --git a/frappe/integrations/doctype/gsuite_templates/test_gsuite_templates.py b/frappe/integrations/doctype/gsuite_templates/test_gsuite_templates.py new file mode 100644 index 0000000000..aad8e9fae6 --- /dev/null +++ b/frappe/integrations/doctype/gsuite_templates/test_gsuite_templates.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2017, Frappe Technologies and Contributors +# See license.txt +from __future__ import unicode_literals + +import frappe +import unittest + +class TestGSuiteTemplates(unittest.TestCase): + pass diff --git a/frappe/integrations/doctype/ldap_settings/ldap_settings.py b/frappe/integrations/doctype/ldap_settings/ldap_settings.py index c2fc52198f..b2f305c1a2 100644 --- a/frappe/integrations/doctype/ldap_settings/ldap_settings.py +++ b/frappe/integrations/doctype/ldap_settings/ldap_settings.py @@ -21,17 +21,15 @@ class LDAPSettings(Document): except ImportError: msg = """
    - Seems ldap is not installed on system.
    - Guidelines to install ldap dependancies and python package, - Click here, - + {{_("Seems ldap is not installed on system.
    Guidelines to install ldap dependancies and python package")}}, + {{_("Click here")}},
    """ - frappe.throw(msg, title="LDAP Not Installed") + frappe.throw(msg, title=_("LDAP Not Installed")) except ldap.LDAPError: conn.unbind_s() - frappe.throw("Incorrect UserId or Password") + frappe.throw(_("Incorrect UserId or Password")) def get_ldap_settings(): try: @@ -67,12 +65,12 @@ def authenticate_ldap_user(user=None, password=None): except: msg = """
    - {{_("Seems ldap is not installed on system")}}.
    - Click here, + {{_("Seems ldap is not installed on system.")}}
    + {{_("Click here")}}, {{_("Guidelines to install ldap dependancies and python")}}
    """ - frappe.throw(msg, title="LDAP Not Installed") + frappe.throw(msg, title=_("LDAP Not Installed")) conn = ldap.initialize(settings.ldap_server_url) @@ -120,4 +118,4 @@ def create_user(params): user = frappe.get_doc(params).insert(ignore_permissions=True) frappe.db.commit() - return user \ No newline at end of file + return user diff --git a/frappe/integrations/doctype/paypal_settings/paypal_settings.py b/frappe/integrations/doctype/paypal_settings/paypal_settings.py index 28311dcc8f..b9d143b95f 100644 --- a/frappe/integrations/doctype/paypal_settings/paypal_settings.py +++ b/frappe/integrations/doctype/paypal_settings/paypal_settings.py @@ -156,7 +156,7 @@ class PayPalSettings(Document): response = make_post_request(url, data=params.encode("utf-8")) if response.get("ACK")[0] != "Success": - frappe.throw("Looks like something is wrong with this site's Paypal configuration.") + frappe.throw(_("Looks like something is wrong with this site's Paypal configuration.")) return response diff --git a/frappe/model/base_document.py b/frappe/model/base_document.py index ce834dc730..a9d1d6a51a 100644 --- a/frappe/model/base_document.py +++ b/frappe/model/base_document.py @@ -2,7 +2,7 @@ # MIT License. See license.txt from __future__ import unicode_literals -from six import reraise as raise_ +from six import reraise as raise_, iteritems import frappe, sys from frappe import _ from frappe.utils import (cint, flt, now, cstr, strip_html, getdate, get_datetime, to_timedelta, @@ -72,7 +72,7 @@ class BaseDocument(object): if key in d: self.set(key, d.get(key)) - for key, value in d.iteritems(): + for key, value in iteritems(d): self.set(key, value) return self @@ -83,7 +83,7 @@ class BaseDocument(object): if "doctype" in d: self.set("doctype", d.get("doctype")) - for key, value in d.iteritems(): + for key, value in iteritems(d): # dont_update_if_missing is a list of fieldnames, for which, you don't want to set default value if (self.get(key) is None) and (value is not None) and (key not in self.dont_update_if_missing): self.set(key, value) @@ -432,7 +432,7 @@ class BaseDocument(object): missing = [] - for df in self.meta.get("fields", {"reqd": 1}): + for df in self.meta.get("fields", {"reqd": ('=', 1)}): if self.get(df.fieldname) in (None, []) or not strip_html(cstr(self.get(df.fieldname))).strip(): missing.append((df.fieldname, get_msg(df))) @@ -456,7 +456,7 @@ class BaseDocument(object): cancelled_links = [] for df in (self.meta.get_link_fields() - + self.meta.get("fields", {"fieldtype":"Dynamic Link"})): + + self.meta.get("fields", {"fieldtype": ('=', "Dynamic Link")})): docname = self.get(df.fieldname) if docname: @@ -543,7 +543,7 @@ class BaseDocument(object): if frappe.flags.in_import or self.is_new() or self.flags.ignore_validate_constants: return - constants = [d.fieldname for d in self.meta.get("fields", {"set_only_once": 1})] + constants = [d.fieldname for d in self.meta.get("fields", {"set_only_once": ('=',1)})] if constants: values = frappe.db.get_value(self.doctype, self.name, constants, as_dict=True) @@ -565,7 +565,7 @@ class BaseDocument(object): if frappe.flags.in_install: return - for fieldname, value in self.get_valid_dict().iteritems(): + for fieldname, value in iteritems(self.get_valid_dict()): df = self.meta.get_field(fieldname) if df and df.fieldtype in type_map and type_map[df.fieldtype][0]=="varchar": max_length = cint(df.get("length")) or cint(varchar_len) @@ -649,7 +649,7 @@ class BaseDocument(object): if self.flags.ignore_save_passwords: return - for df in self.meta.get('fields', {'fieldtype': 'Password'}): + for df in self.meta.get('fields', {'fieldtype': ('=', 'Password')}): new_password = self.get(df.fieldname) if new_password and not self.is_dummy_password(new_password): # is not a dummy password like '*****' @@ -811,7 +811,7 @@ class BaseDocument(object): def _extract_images_from_text_editor(self): from frappe.utils.file_manager import extract_images_from_doc if self.doctype != "DocType": - for df in self.meta.get("fields", {"fieldtype":"Text Editor"}): + for df in self.meta.get("fields", {"fieldtype": ('=', "Text Editor")}): extract_images_from_doc(self, df.fieldname) def _filter(data, filters, limit=None): @@ -820,23 +820,28 @@ def _filter(data, filters, limit=None): "key": ["in", "val"], "key": ["not in", "val"], "key": "^val", "key" : True (exists), "key": False (does not exist) }""" - out = [] + out, _filters = [], {} - for d in data: - add = True + # setup filters as tuples + if filters: for f in filters: fval = filters[f] - if fval is True: - fval = ("not None", fval) - elif fval is False: - fval = ("None", fval) - elif not isinstance(fval, (tuple, list)): - if isinstance(fval, basestring) and fval.startswith("^"): + if not isinstance(fval, (tuple, list)): + if fval is True: + fval = ("not None", fval) + elif fval is False: + fval = ("None", fval) + elif isinstance(fval, basestring) and fval.startswith("^"): fval = ("^", fval[1:]) else: fval = ("=", fval) + _filters[f] = fval + + for d in data: + add = True + for f, fval in iteritems(_filters): if not frappe.compare(getattr(d, f, None), fval[0], fval[1]): add = False break diff --git a/frappe/model/db_query.py b/frappe/model/db_query.py index 554e4a8dbd..46b32d43f5 100644 --- a/frappe/model/db_query.py +++ b/frappe/model/db_query.py @@ -2,6 +2,9 @@ # MIT License. See license.txt from __future__ import unicode_literals + +from six import iteritems + """build query for doclistview and return results""" import frappe, json, copy @@ -171,7 +174,7 @@ class DatabaseQuery(object): if isinstance(filters, dict): fdict = filters filters = [] - for key, value in fdict.iteritems(): + for key, value in iteritems(fdict): filters.append(make_filter_tuple(self.doctype, key, value)) setattr(self, filter_name, filters) diff --git a/frappe/model/document.py b/frappe/model/document.py index c5b5ca08a7..74f6ab0680 100644 --- a/frappe/model/document.py +++ b/frappe/model/document.py @@ -10,6 +10,7 @@ from frappe.utils import flt, cstr, now, get_datetime_str, file_lock from frappe.utils.background_jobs import enqueue from frappe.model.base_document import BaseDocument, get_controller from frappe.model.naming import set_new_name +from six import iteritems from werkzeug.exceptions import NotFound, Forbidden import hashlib, json from frappe.model import optional_fields @@ -344,7 +345,7 @@ class Document(BaseDocument): def get_values(): values = self.as_dict() # format values - for key, value in values.iteritems(): + for key, value in iteritems(values): if value==None: values[key] = "" return values @@ -361,7 +362,7 @@ class Document(BaseDocument): def update_single(self, d): """Updates values for Single type Document in `tabSingles`.""" frappe.db.sql("""delete from tabSingles where doctype=%s""", self.doctype) - for field, value in d.iteritems(): + for field, value in iteritems(d): if field != "doctype": frappe.db.sql("""insert into tabSingles(doctype, field, value) values (%s, %s, %s)""", (self.doctype, field, value)) @@ -803,12 +804,7 @@ class Document(BaseDocument): self.clear_cache() self.notify_update() - try: - frappe.enqueue('frappe.utils.global_search.update_global_search', - now=frappe.flags.in_test or frappe.flags.in_install or frappe.flags.in_migrate, - doc=self) - except redis.exceptions.ConnectionError: - update_global_search(self) + update_global_search(self) if self._doc_before_save and not self.flags.ignore_version: self.save_version() diff --git a/frappe/model/meta.py b/frappe/model/meta.py index a453b614f2..78977f18f8 100644 --- a/frappe/model/meta.py +++ b/frappe/model/meta.py @@ -28,7 +28,10 @@ from frappe import _ def get_meta(doctype, cached=True): if cached: - return frappe.cache().hget("meta", doctype, lambda: Meta(doctype)) + if not frappe.local.meta_cache.get(doctype): + frappe.local.meta_cache[doctype] = frappe.cache().hget("meta", doctype, + lambda: Meta(doctype)) + return frappe.local.meta_cache[doctype] else: return Meta(doctype) @@ -469,7 +472,7 @@ def get_default_df(fieldname): def trim_tables(doctype=None): """Use this to remove columns that don't exist in meta""" ignore_fields = default_fields + optional_fields - + filters={ "issingle": 0 } if doctype: filters["name"] = doctype @@ -490,6 +493,9 @@ def trim_tables(doctype=None): def clear_cache(doctype=None): cache = frappe.cache() + if getattr(frappe.local, 'meta_cache') and (doctype in frappe.local.meta_cache): + del frappe.local.meta_cache[doctype] + for key in ('is_table', 'doctype_modules'): cache.delete_value(key) diff --git a/frappe/model/naming.py b/frappe/model/naming.py index dbe236f09e..ef431adfda 100644 --- a/frappe/model/naming.py +++ b/frappe/model/naming.py @@ -43,7 +43,7 @@ def set_new_name(doc): doc.name = (doc.get(fieldname) or "").strip() if not doc.name: frappe.throw(_("{0} is required").format(doc.meta.get_label(fieldname))) - raise Exception, 'Name is required' + raise Exception('Name is required') if autoname.startswith("naming_series:"): set_name_by_naming_series(doc) elif "#" in autoname: diff --git a/frappe/model/utils/link_count.py b/frappe/model/utils/link_count.py index 34f2375a1d..98004ef744 100644 --- a/frappe/model/utils/link_count.py +++ b/frappe/model/utils/link_count.py @@ -4,20 +4,33 @@ from __future__ import unicode_literals import frappe +from six import iteritems ignore_doctypes = ("DocType", "Print Format", "Role", "Module Def", "Communication", "ToDo") def notify_link_count(doctype, name): '''updates link count for given document''' + if hasattr(frappe.local, 'link_count'): + if (doctype, name) in frappe.local.link_count: + frappe.local.link_count[(doctype, name)] += 1 + else: + frappe.local.link_count[(doctype, name)] = 1 + +def flush_local_link_count(): + '''flush from local before ending request''' + if not getattr(frappe.local, 'link_count', None): + return + link_count = frappe.cache().get_value('_link_count') if not link_count: link_count = {} - if not (doctype, name) in link_count: - link_count[(doctype, name)] = 1 - else: - link_count[(doctype, name)] += 1 + for key, value in frappe.local.link_count.items(): + if key in link_count: + link_count[key] += frappe.local.link_count[key] + else: + link_count[key] = frappe.local.link_count[key] frappe.cache().set_value('_link_count', link_count) @@ -26,11 +39,11 @@ def update_link_count(): link_count = frappe.cache().get_value('_link_count') if link_count: - for key, count in link_count.iteritems(): + for key, count in iteritems(link_count): if key[0] not in ignore_doctypes: try: frappe.db.sql('update `tab{0}` set idx = idx + {1} where name=%s'.format(key[0], count), - key[1]) + key[1], auto_commit=1) except Exception, e: if e.args[0]!=1146: # table not found, single raise e diff --git a/frappe/model/utils/user_settings.py b/frappe/model/utils/user_settings.py index dd58c4b9a4..86498fc507 100644 --- a/frappe/model/utils/user_settings.py +++ b/frappe/model/utils/user_settings.py @@ -2,6 +2,8 @@ # such as page_limit, filters, last_view import frappe, json +from six import iteritems + def get_user_settings(doctype, for_update=False): user_settings = frappe.cache().hget('_user_settings', @@ -36,7 +38,7 @@ def update_user_settings(doctype, user_settings, for_update=False): def sync_user_settings(): '''Sync from cache to database (called asynchronously via the browser)''' - for key, data in frappe.cache().hgetall('_user_settings').iteritems(): + for key, data in iteritems(frappe.cache().hgetall('_user_settings')): doctype, user = key.split('::') frappe.db.sql('''insert into __UserSettings (user, doctype, data) values (%s, %s, %s) on duplicate key update data=%s''', (user, doctype, data, data)) diff --git a/frappe/modules.txt b/frappe/modules.txt index 95b9c8fed5..0d2e91b35f 100644 --- a/frappe/modules.txt +++ b/frappe/modules.txt @@ -6,4 +6,5 @@ Custom Geo Desk Integrations -Printing \ No newline at end of file +Printing +Contacts diff --git a/frappe/modules/import_file.py b/frappe/modules/import_file.py index bbadac65e8..5f7c04c7f5 100644 --- a/frappe/modules/import_file.py +++ b/frappe/modules/import_file.py @@ -80,7 +80,7 @@ def read_doc_from_file(path): print("bad json: {0}".format(path)) raise else: - raise IOError, '%s missing' % path + raise IOError('%s missing' % path) return doc diff --git a/frappe/modules/utils.py b/frappe/modules/utils.py index 97c8c31b7f..293c371075 100644 --- a/frappe/modules/utils.py +++ b/frappe/modules/utils.py @@ -43,7 +43,7 @@ def export_customizations(module, doctype, sync_on_migrate=0, with_permissions=0 """Export Custom Field and Property Setter for the current document to the app folder. This will be synced with bench migrate""" if not frappe.get_conf().developer_mode: - raise 'Not developer mode' + raise Exception('Not developer mode') custom = {'custom_fields': [], 'property_setters': [], 'custom_perms': [], 'doctype': doctype, 'sync_on_migrate': 1} @@ -72,7 +72,7 @@ def export_customizations(module, doctype, sync_on_migrate=0, with_permissions=0 with open(path, 'w') as f: f.write(frappe.as_json(custom)) - frappe.msgprint('Customizations exported to {0}'.format(path)) + frappe.msgprint(_('Customizations exported to {0}').format(path)) def sync_customizations(app=None): '''Sync custom fields and property setters from custom folder in each app module''' @@ -181,7 +181,7 @@ def load_doctype_module(doctype, module=None, prefix="", suffix=""): if key not in doctype_python_modules: doctype_python_modules[key] = frappe.get_module(module_name) except ImportError: - raise ImportError, 'Module import failed for {0} ({1})'.format(doctype, module_name) + raise ImportError('Module import failed for {0} ({1})'.format(doctype, module_name)) return doctype_python_modules[key] diff --git a/frappe/nightwatch.global.js b/frappe/nightwatch.global.js new file mode 100644 index 0000000000..f7530e422f --- /dev/null +++ b/frappe/nightwatch.global.js @@ -0,0 +1,12 @@ +var chromedriver = require('chromedriver'); +module.exports = { + before: function (done) { + chromedriver.start(); + done(); + }, + + after: function (done) { + chromedriver.stop(); + done(); + } +}; \ No newline at end of file diff --git a/frappe/nightwatch.js b/frappe/nightwatch.js new file mode 100644 index 0000000000..a54c764b88 --- /dev/null +++ b/frappe/nightwatch.js @@ -0,0 +1,96 @@ +const fs = require('fs'); + +const ci_mode = get_cli_arg('env') === 'ci_server'; +const site_name = get_cli_arg('site'); +let app_name = get_cli_arg('app'); + +if(!app_name) { + console.log('Please specify app to run tests'); + return; +} + +if(!ci_mode && !site_name) { + console.log('Please specify site to run tests'); + return; +} + +// site url +let site_url; +if(site_name) { + site_url = 'http://' + site_name + ':' + get_port(); +} + +// multiple apps +if(app_name.includes(',')) { + app_name = app_name.split(','); +} else { + app_name = [app_name]; +} + +let test_folders = []; +let page_objects = []; +for(const app of app_name) { + const test_folder = `apps/${app}/${app}/tests/ui`; + const page_object = test_folder + '/page_objects'; + + if(!fs.existsSync(test_folder)) { + console.log(`No test folder found for "${app}"`); + continue; + } + test_folders.push(test_folder); + + if(fs.existsSync(page_object)) { + page_objects.push(); + } +} + +const config = { + "src_folders": test_folders, + "globals_path" : 'apps/frappe/frappe/nightwatch.global.js', + "page_objects_path": page_objects, + "selenium": { + "start_process": false + }, + "test_settings": { + "default": { + "launch_url": site_url, + "selenium_port": 9515, + "selenium_host": "127.0.0.1", + "default_path_prefix": "", + "silent": true, + // "screenshots": { + // "enabled": true, + // "path": SCREENSHOT_PATH + // }, + "globals": { + "waitForConditionTimeout": 15000 + }, + "desiredCapabilities": { + "browserName": "chrome", + "chromeOptions": { + "args": ["--no-sandbox", "--start-maximized"] + }, + "javascriptEnabled": true, + "acceptSslCerts": true + } + }, + "ci_server": { + "launch_url": 'http://localhost:8000' + } + } +} +module.exports = config; + +function get_cli_arg(key) { + var args = process.argv; + var i = args.indexOf('--' + key); + if(i === -1) { + return null; + } + return args[i + 1]; +} + +function get_port() { + var bench_config = JSON.parse(fs.readFileSync('sites/common_site_config.json')); + return bench_config.webserver_port; +} \ No newline at end of file diff --git a/frappe/patches.txt b/frappe/patches.txt index ad04e56367..9fb0206557 100644 --- a/frappe/patches.txt +++ b/frappe/patches.txt @@ -182,4 +182,5 @@ frappe.patches.v8_0.install_new_build_system_requirements frappe.patches.v8_0.set_currency_field_precision # 2017-05-09 frappe.patches.v8_0.rename_print_to_printing frappe.patches.v7_1.disabled_print_settings_for_custom_print_format -frappe.patches.v8_0.update_desktop_icons \ No newline at end of file +frappe.patches.v8_0.update_desktop_icons +frappe.patches.v8_0.update_gender_and_salutation \ No newline at end of file diff --git a/frappe/patches/v4_0/private_backups.py b/frappe/patches/v4_0/private_backups.py index a21da76dd1..016af0615d 100644 --- a/frappe/patches/v4_0/private_backups.py +++ b/frappe/patches/v4_0/private_backups.py @@ -8,4 +8,4 @@ from frappe.installer import make_site_dirs def execute(): make_site_dirs() if frappe.local.conf.backup_path and frappe.local.conf.backup_path.startswith("public"): - raise Exception, "Backups path in conf set to public directory" + raise Exception("Backups path in conf set to public directory") diff --git a/frappe/patches/v4_1/file_manager_fix.py b/frappe/patches/v4_1/file_manager_fix.py index bc813284d0..1fced61799 100644 --- a/frappe/patches/v4_1/file_manager_fix.py +++ b/frappe/patches/v4_1/file_manager_fix.py @@ -19,6 +19,8 @@ from frappe.utils import get_files_path, get_site_path # a backup from a time before version 3 migration # # * Patch remaining unpatched File records. +from six import iteritems + def execute(): frappe.db.auto_commit_on_many_writes = True @@ -49,7 +51,7 @@ def get_replaced_files(): old_files = dict(frappe.db.sql("select name, file_name from `tabFile` where ifnull(content_hash, '')=''")) invfiles = invert_dict(new_files) - for nname, nfilename in new_files.iteritems(): + for nname, nfilename in iteritems(new_files): if 'files/' + nfilename in old_files.values(): ret.append((nfilename, invfiles[nfilename])) return ret @@ -82,7 +84,7 @@ def rename_replacing_files(): def invert_dict(ddict): ret = {} - for k,v in ddict.iteritems(): + for k,v in iteritems(ddict): if not ret.get(v): ret[v] = [k] else: diff --git a/frappe/patches/v8_0/rename_listsettings_to_usersettings.py b/frappe/patches/v8_0/rename_listsettings_to_usersettings.py index df2e739851..f0a0ad76e0 100644 --- a/frappe/patches/v8_0/rename_listsettings_to_usersettings.py +++ b/frappe/patches/v8_0/rename_listsettings_to_usersettings.py @@ -1,6 +1,8 @@ from frappe.installer import create_user_settings_table from frappe.model.utils.user_settings import update_user_settings import frappe, json +from six import iteritems + def execute(): if frappe.db.table_exists("__ListSettings"): @@ -32,7 +34,7 @@ def execute(): for user in frappe.db.get_all('User', {'user_type': 'System User'}): defaults = frappe.defaults.get_defaults_for(user.name) - for key, value in defaults.iteritems(): + for key, value in iteritems(defaults): if key.startswith('_list_settings:'): doctype = key.replace('_list_settings:', '') columns = ['`tab{1}`.`{0}`'.format(*c) for c in json.loads(value)] diff --git a/frappe/patches/v8_0/set_allow_traceback.py b/frappe/patches/v8_0/set_allow_traceback.py new file mode 100644 index 0000000000..2b1e91a7ae --- /dev/null +++ b/frappe/patches/v8_0/set_allow_traceback.py @@ -0,0 +1,5 @@ +import frappe + +def execute(): + frappe.reload_doc('core', 'doctype', 'system_settings') + frappe.db.sql("update `tabSystem Settings` set allow_error_traceback=1") diff --git a/frappe/patches/v8_0/update_gender_and_salutation.py b/frappe/patches/v8_0/update_gender_and_salutation.py new file mode 100644 index 0000000000..c990e9c4aa --- /dev/null +++ b/frappe/patches/v8_0/update_gender_and_salutation.py @@ -0,0 +1,14 @@ +# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors + +from __future__ import unicode_literals +import frappe +from frappe.desk.page.setup_wizard.install_fixtures import update_genders_and_salutations + +def execute(): + frappe.db.set_value("DocType", "Contact", "module", "Contacts") + frappe.db.set_value("DocType", "Address", "module", "Contacts") + frappe.db.set_value("DocType", "Address Template", "module", "Contacts") + frappe.reload_doc('contacts', 'doctype', 'gender') + frappe.reload_doc('contacts', 'doctype', 'salutation') + + update_genders_and_salutations() \ No newline at end of file diff --git a/frappe/printing/doctype/print_format/print_format.js b/frappe/printing/doctype/print_format/print_format.js index 216d7ff481..bd06697725 100644 --- a/frappe/printing/doctype/print_format/print_format.js +++ b/frappe/printing/doctype/print_format/print_format.js @@ -9,12 +9,12 @@ frappe.ui.form.on("Print Format", { refresh: function(frm) { frm.set_intro(""); frm.toggle_enable(["html", "doc_type", "module"], false); - if (user==="Administrator" || frm.doc.standard==="No") { + if (frappe.session.user==="Administrator" || frm.doc.standard==="No") { frm.toggle_enable(["html", "doc_type", "module"], true); frm.enable_save(); } - if(frm.doc.standard==="Yes" && user !== "Administrator") { + if(frm.doc.standard==="Yes" && frappe.session.user !== "Administrator") { frm.set_intro(__("Please duplicate this to make changes")); } frm.trigger('render_buttons'); @@ -25,7 +25,7 @@ frappe.ui.form.on("Print Format", { if(!frm.doc.custom_format) { frm.add_custom_button(__("Edit Format"), function() { if(!frm.doc.doc_type) { - msgprint(__("Please select DocType first")); + frappe.msgprint(__("Please select DocType first")); return; } frappe.set_route("print-format-builder", frm.doc.name); @@ -42,7 +42,7 @@ frappe.ui.form.on("Print Format", { } }, custom_format: function(frm) { - value = frm.doc.custom_format ? 0:1; + var value = frm.doc.custom_format ? 0:1; frm.set_value('align_labels_left', value); frm.set_value('show_section_headings', value); frm.set_value('line_breaks', value); diff --git a/frappe/printing/page/print_format_builder/print_format_builder.js b/frappe/printing/page/print_format_builder/print_format_builder.js index 4910ea42fa..8e21ee4f50 100644 --- a/frappe/printing/page/print_format_builder/print_format_builder.js +++ b/frappe/printing/page/print_format_builder/print_format_builder.js @@ -123,7 +123,7 @@ frappe.PrintFormatBuilder = Class.extend({ var doctype = me.doctype_input.get_value(), name = me.name_input.get_value(); if(!(doctype && name)) { - msgprint(__("Both DocType and Name required")); + frappe.msgprint(__("Both DocType and Name required")); return; } me.setup_new_print_format(doctype, name); @@ -272,7 +272,7 @@ frappe.PrintFormatBuilder = Class.extend({ set_column(); } else if(!in_list(["Section Break", "Column Break", "Fold"], f.fieldtype) - && f.label) { + && f.label) { if(!column) set_column(); if(f.fieldtype==="Table") { @@ -564,7 +564,7 @@ frappe.PrintFormatBuilder = Class.extend({ section.no_of_columns = 1; var $section = $(frappe.render_template("print_format_builder_section", - {section: section, me: me})) + {section: section, me: me})) .appendTo(me.page.main.find(".print-format-builder-layout")) me.setup_sortable_for_column($section.find(".print-format-builder-column").get(0)); @@ -587,8 +587,8 @@ frappe.PrintFormatBuilder = Class.extend({ var parent = $(this).parents(".print-format-builder-field:first"), doctype = parent.attr("data-doctype"), label = parent.attr("data-label"), - columns = parent.attr("data-columns").split(",") - column_names = $.map(columns, function(v) { return v.split("|")[0]; }); + columns = parent.attr("data-columns").split(","), + column_names = $.map(columns, function(v) { return v.split("|")[0]; }), widths = {}; $.each(columns, function(i, v) { @@ -622,7 +622,7 @@ frappe.PrintFormatBuilder = Class.extend({ $.each(doc_fields, function(j, f) { if (f && !in_list(column_names, f.fieldname) && !in_list(["Section Break", "Column Break"], f.fieldtype) && f.label) { - fields.push(f); + fields.push(f); } }) // render checkboxes @@ -683,26 +683,26 @@ frappe.PrintFormatBuilder = Class.extend({ get_edit_html_dialog: function(title, label, $content) { var me = this; var d = new frappe.ui.Dialog({ - title: title, - fields: [ - { - fieldname: "content", - fieldtype: "Code", - label: label - }, - { - fieldname: "help", - fieldtype: "HTML", - options: '

    ' - + __("You can add dynamic properties from the document by using Jinja templating.") - + __("For example: If you want to include the document ID, use {0}", ["{{ doc.name }}"]) - + '

    ' - } - ] - }); + title: title, + fields: [ + { + fieldname: "content", + fieldtype: "Code", + label: label + }, + { + fieldname: "help", + fieldtype: "HTML", + options: '

    ' + + __("You can add dynamic properties from the document by using Jinja templating.") + + __("For example: If you want to include the document ID, use {0}", ["{{ doc.name }}"]) + + '

    ' + } + ] + }); // set existing content in input - content = $content.data('content') || ""; + var content = $content.data('content') || ""; if(content.indexOf(me.get_no_content())!==-1) content = ""; d.set_input("content", content); @@ -791,4 +791,4 @@ frappe.PrintFormatBuilder = Class.extend({ } }); } - }); +}); diff --git a/frappe/public/build.json b/frappe/public/build.json index 598b964574..2f16a927d3 100755 --- a/frappe/public/build.json +++ b/frappe/public/build.json @@ -90,6 +90,7 @@ "public/js/frappe/socketio_client.js", "public/js/frappe/router.js", "public/js/frappe/defaults.js", + "public/js/frappe/checkbox_editor.js", "public/js/frappe/roles_editor.js", "public/js/lib/microtemplate.js", @@ -132,6 +133,7 @@ "public/js/frappe/ui/upload.html", "public/js/frappe/upload.js", + "public/js/integrations/gsuite.js", "public/js/frappe/ui/tree.js", "public/js/frappe/views/container.js", @@ -214,7 +216,8 @@ "public/css/list.css", "public/css/calendar.css", "public/css/role_editor.css", - "public/css/filter_dashboard.css" + "public/css/filter_dashboard.css", + "public/css/gantt.css" ], "js/list.min.js": [ "public/js/frappe/ui/listing.html", diff --git a/frappe/public/css/desk-rtl.css b/frappe/public/css/desk-rtl.css index ef39877897..bf9848d525 100644 --- a/frappe/public/css/desk-rtl.css +++ b/frappe/public/css/desk-rtl.css @@ -43,7 +43,6 @@ margin-left: 13px; } .list-id { - margin-right: -8px !important; margin-left: 7px !important; } .avatar-small { @@ -57,4 +56,28 @@ .list-comment-count { text-align: right; } - +ul.tree-children { + padding-right: 20px; + padding-left: inherit !important; +} +.balance-area { + float: left !important; +} +.tree.opened::before, .tree-node.opened::before, .tree:last-child::after, .tree-node:last-child::after { + left: inherit !important; + right: 8px; +} +.tree.opened > .tree-children > .tree-node > .tree-link::before, .tree-node.opened > .tree-children > .tree-node > .tree-link::before { + left: inherit !important; + right: -11px; +} +.tree:last-child::after, .tree-node:last-child::after { + right: -13px !important; +} +.tree.opened::before { + left: auto !important; + right: 23px; +} +.results { + direction: ltr; +} diff --git a/frappe/public/css/gantt.css b/frappe/public/css/gantt.css new file mode 100644 index 0000000000..98791140a0 --- /dev/null +++ b/frappe/public/css/gantt.css @@ -0,0 +1,6 @@ +.gantt .bar-milestone .bar { + fill: #FD8B8B; +} +.gantt .bar-milestone .bar-progress { + fill: #FC4F51; +} diff --git a/frappe/public/css/kanban.css b/frappe/public/css/kanban.css index cae0ff1275..cc337984df 100644 --- a/frappe/public/css/kanban.css +++ b/frappe/public/css/kanban.css @@ -125,6 +125,10 @@ width: 16px; height: 16px; } +.kanban .kanban-empty-state { + width: 100%; + line-height: 400px; +} body[data-route*="Kanban"] .modal .add-assignment:hover i { color: #36414C !important; } diff --git a/frappe/public/js/frappe/assets.js b/frappe/public/js/frappe/assets.js index 3fdbe85bdc..8cdbfeafe0 100644 --- a/frappe/public/js/frappe/assets.js +++ b/frappe/public/js/frappe/assets.js @@ -45,7 +45,7 @@ frappe.assets = { }); // clear assets - for(key in localStorage) { + for(var key in localStorage) { if(key.indexOf("desk_assets:")===0 || key.indexOf("_page:")===0 || key.indexOf("_doctype:")===0 || key.indexOf("preferred_breadcrumbs:")===0) { localStorage.removeItem(key); diff --git a/frappe/public/js/frappe/checkbox_editor.js b/frappe/public/js/frappe/checkbox_editor.js new file mode 100644 index 0000000000..45891cb882 --- /dev/null +++ b/frappe/public/js/frappe/checkbox_editor.js @@ -0,0 +1,140 @@ +// Copyright (c) 2017, Frappe Technologies Pvt. Ltd. and Contributors +// MIT License. See license.txt + +// opts: +// frm +// wrapper +// get_items +// add_btn_label +// remove_btn_label +// field_mapper: +// cdt +// child_table_field +// item_field +// attribute + +frappe.CheckboxEditor = Class.extend({ + init: function(opts) { + $.extend(this, opts); + + this.doctype = this.field_mapper.cdt; + this.fieldname = this.field_mapper.child_table_field; + this.item_fieldname = this.field_mapper.item_field; + + $(this.wrapper).html('
    ' + __("Loading") + '...
    '); + + if(this.get_items) { + this.get_items(); + } + }, + render_items: function(callback) { + let me = this; + $(this.wrapper).empty(); + + if(this.checkbox_selector) { + let toolbar = $('

    \ +

    ').appendTo($(this.wrapper)); + + toolbar.find(".btn-add") + .html(__(this.add_btn_label)) + .on("click", function() { + $(me.wrapper).find('input[type="checkbox"]').each(function(i, check) { + if(!$(check).is(":checked")) { + check.checked = true; + } + }); + }); + + toolbar.find(".btn-remove") + .html(__(this.remove_btn_label)) + .on("click", function() { + $(me.wrapper).find('input[type="checkbox"]').each(function(i, check) { + if($(check).is(":checked")) { + check.checked = false; + } + }); + }); + } + + $.each(this.items, function(i, item) { + $(me.wrapper).append(frappe.render(me.editor_template, {'item': item})); + }); + + $(this.wrapper).find('input[type="checkbox"]').change(function() { + if(me.fieldname && me.doctype && me.item_field) { + me.set_items_in_table(); + me.frm.dirty(); + } + }); + + callback && callback() + }, + show: function() { + let me = this; + + // uncheck all items + $(this.wrapper).find('input[type="checkbox"]') + .each(function(i, checkbox) { checkbox.checked = false; }); + + // set user items as checked + $.each((me.frm.doc[this.fieldname] || []), function(i, row) { + let selector = repl('[%(attribute)s="%(value)s"] input[type="checkbox"]', { + attribute: me.attribute, + value: row[me.item_fieldname] + }); + + let checkbox = $(me.wrapper) + .find(selector).get(0); + if(checkbox) checkbox.checked = true; + }); + }, + + get_selected_unselected_items: function() { + let checked_items = []; + let unchecked_items = []; + let selector = repl('[%(attribute)s]', { attribute: this.attribute }); + let me = this; + + $(this.wrapper).find(selector).each(function() { + if($(this).find('input[type="checkbox"]:checked').length) { + checked_items.push($(this).attr(me.attribute)); + } else { + unchecked_items.push($(this).attr(me.attribute)); + } + }); + + return { + checked_items: checked_items, + unchecked_items: unchecked_items + } + }, + + set_items_in_table: function() { + let opts = this.get_selected_unselected_items(); + let existing_items_map = {}; + let existing_items_list = []; + let me = this; + + $.each(me.frm.doc[this.fieldname] || [], function(i, row) { + existing_items_map[row[me.item_fieldname]] = row.name; + existing_items_list.push(row[me.item_fieldname]); + }); + + // remove unchecked items + $.each(opts.unchecked_items, function(i, item) { + if(existing_items_list.indexOf(item)!=-1) { + frappe.model.clear_doc(me.doctype, existing_items_map[item]); + } + }); + + // add new items that are checked + $.each(opts.checked_items, function(i, item) { + if(existing_items_list.indexOf(item)==-1) { + let row = frappe.model.add_child(me.frm.doc, me.doctype, me.fieldname); + row[me.item_fieldname] = item; + } + }); + + refresh_field(this.fieldname); + } +}); \ No newline at end of file diff --git a/frappe/public/js/frappe/db.js b/frappe/public/js/frappe/db.js index 29ce459a2f..101228de97 100644 --- a/frappe/public/js/frappe/db.js +++ b/frappe/public/js/frappe/db.js @@ -10,7 +10,7 @@ frappe.db = { fieldname: fieldname, filters: filters }, - callback: function(r, rt) { + callback: function(r) { callback && callback(r.message); } }); diff --git a/frappe/public/js/frappe/defaults.js b/frappe/public/js/frappe/defaults.js index 6e671f07ed..24ba5e630e 100644 --- a/frappe/public/js/frappe/defaults.js +++ b/frappe/public/js/frappe/defaults.js @@ -26,12 +26,12 @@ frappe.defaults = { return d; }, get_global_default: function(key) { - var d = sys_defaults[key]; + var d = frappe.sys_defaults[key]; if($.isArray(d)) d = d[0]; return d; }, get_global_defaults: function(key) { - var d = sys_defaults[key]; + var d = frappe.sys_defaults[key]; if(!$.isArray(d)) d = [d]; return d; }, diff --git a/frappe/public/js/frappe/desk.js b/frappe/public/js/frappe/desk.js index 68aabfe200..2816c755ad 100644 --- a/frappe/public/js/frappe/desk.js +++ b/frappe/public/js/frappe/desk.js @@ -99,9 +99,9 @@ frappe.Application = Class.extend({ }); dialog.get_close_btn().toggle(false); }); - if (sys_defaults.email_user_password){ - var email_list = sys_defaults.email_user_password.split(','); - for (u in email_list) { + if (frappe.sys_defaults.email_user_password){ + var email_list = frappe.sys_defaults.email_user_password.split(','); + for (var u in email_list) { if (email_list[u]===frappe.user.name){ this.set_password(email_list[u]) } @@ -144,47 +144,47 @@ frappe.Application = Class.extend({ } ] }); - d.get_input("submit").on("click", function() { - //setup spinner - d.hide(); - var s = new frappe.ui.Dialog({ - title: __("Checking one moment"), - fields: [{ + d.get_input("submit").on("click", function() { + //setup spinner + d.hide(); + var s = new frappe.ui.Dialog({ + title: __("Checking one moment"), + fields: [{ "fieldtype": "HTML", "fieldname": "checking" }] - }); - s.fields_dict.checking.$wrapper.html('') - s.show(); - frappe.call({ - method: 'frappe.core.doctype.user.user.set_email_password', - args: { - "email_account": email_account[i]["email_account"], - "user": user, - "password": d.get_value("password") - }, - callback: function (passed) + }); + s.fields_dict.checking.$wrapper.html('') + s.show(); + frappe.call({ + method: 'frappe.core.doctype.user.user.set_email_password', + args: { + "email_account": email_account[i]["email_account"], + "user": user, + "password": d.get_value("password") + }, + callback: function (passed) + { + s.hide(); + d.hide();//hide waiting indication + if (!passed["message"]) + { + frappe.show_alert("Login Failed please try again", 5); + me.email_password_prompt(email_account, user, i) + } + else { - s.hide(); - d.hide();//hide waiting indication - if (!passed["message"]) + if (i + 1 < email_account.length) { - show_alert("Login Failed please try again", 5); + i = i + 1; me.email_password_prompt(email_account, user, i) } - else - { - if (i + 1 < email_account.length) - { - i = i + 1; - me.email_password_prompt(email_account, user, i) - } - } - } - }); + + } }); - d.show(); + }); + d.show(); }, load_bootinfo: function() { if(frappe.boot) { @@ -269,23 +269,62 @@ frappe.Application = Class.extend({ }, set_globals: function() { - // for backward compatibility frappe.session.user = frappe.boot.user.name; - frappe.session.user_fullname = frappe.boot.user.name; - user = frappe.boot.user.name; - user_fullname = frappe.user_info(user).fullname; - user_defaults = frappe.boot.user.defaults; - roles = frappe.boot.user.roles; - user_email = frappe.boot.user.email; - sys_defaults = frappe.boot.sysdefaults; + frappe.session.user_email = frappe.boot.user.email; + frappe.session.user_fullname = frappe.user_info().fullname; + + frappe.user_defaults = frappe.boot.user.defaults; + frappe.user_roles = frappe.boot.user.roles; + frappe.sys_defaults = frappe.boot.sysdefaults; + frappe.ui.py_date_format = frappe.boot.sysdefaults.date_format.replace('dd', '%d').replace('mm', '%m').replace('yyyy', '%Y'); frappe.boot.user.last_selected_values = {}; + + // Proxy for user globals + Object.defineProperties(window, { + 'user': { + get: function() { + console.warn('Please use `frappe.session.user` instead of `user`. It will be deprecated soon.'); + return frappe.session.user; + } + }, + 'user_fullname': { + get: function() { + console.warn('Please use `frappe.session.user_fullname` instead of `user_fullname`. It will be deprecated soon.'); + return frappe.session.user; + } + }, + 'user_email': { + get: function() { + console.warn('Please use `frappe.session.user_email` instead of `user_email`. It will be deprecated soon.'); + return frappe.session.user_email; + } + }, + 'user_defaults': { + get: function() { + console.warn('Please use `frappe.user_defaults` instead of `user_defaults`. It will be deprecated soon.'); + return frappe.user_defaults; + } + }, + 'roles': { + get: function() { + console.warn('Please use `frappe.user_roles` instead of `roles`. It will be deprecated soon.'); + return frappe.user_roles; + } + }, + 'sys_defaults': { + get: function() { + console.warn('Please use `frappe.sys_defaults` instead of `sys_defaults`. It will be deprecated soon.'); + return frappe.user_roles; + } + } + }); }, sync_pages: function() { // clear cached pages if timestamp is not found if(localStorage["page_info"]) { frappe.boot.allowed_pages = []; - page_info = JSON.parse(localStorage["page_info"]); + var page_info = JSON.parse(localStorage["page_info"]); $.each(frappe.boot.page_info, function(name, p) { if(!page_info[name] || (page_info[name].modified != p.modified)) { delete localStorage["_page:" + name]; @@ -293,19 +332,18 @@ frappe.Application = Class.extend({ frappe.boot.allowed_pages.push(name); }); } else { - frappe.boot.allowed_pages = keys(frappe.boot.page_info); + frappe.boot.allowed_pages = Object.keys(frappe.boot.page_info); } localStorage["page_info"] = JSON.stringify(frappe.boot.page_info); }, set_as_guest: function() { - // for backward compatibility - user = {name:'Guest'}; - user = 'Guest'; - user_fullname = 'Guest'; - user_defaults = {}; - roles = ['Guest']; - user_email = ''; - sys_defaults = {}; + frappe.session.user = 'Guest'; + frappe.session.user_email = ''; + frappe.session.user_fullname = 'Guest'; + + frappe.user_defaults = {}; + frappe.user_roles = ['Guest']; + frappe.sys_defaults = {}; }, make_page_container: function() { if($("#body_div").length) { @@ -406,7 +444,7 @@ frappe.Application = Class.extend({ }, set_rtl: function () { - if (["ar", "he","fa"].indexOf(frappe.boot.lang) >= 0) { + if (["ar", "he", "fa"].indexOf(frappe.boot.lang) >= 0) { var ls = document.createElement('link'); ls.rel="stylesheet"; ls.href= "assets/css/frappe-rtl.css"; @@ -558,20 +596,19 @@ frappe.get_desktop_icons = function(show_hidden, show_global) { for (var i=0, l=frappe.boot.desktop_icons.length; i < l; i++) { var m = frappe.boot.desktop_icons[i]; - if ((['Setup', 'Core'].indexOf(m.module_name) === -1) - && show_module(m)) { - add_to_out(m) + if ((['Setup', 'Core'].indexOf(m.module_name) === -1) && show_module(m)) { + add_to_out(m); } } - if(roles.indexOf('System Manager')!=-1) { + if(frappe.user_roles.includes('System Manager')) { var m = frappe.get_module('Setup'); - if(show_module(m)) add_to_out(m) + if(show_module(m)) add_to_out(m); } - if(roles.indexOf('Administrator')!=-1) { + if(frappe.user_roles.includes('Administrator')) { var m = frappe.get_module('Core'); - if(show_module(m)) add_to_out(m) + if(show_module(m)) add_to_out(m); } return out; @@ -589,7 +626,7 @@ frappe.add_to_desktop = function(label, doctype, report) { }, callback: function(r) { if(r.message) { - show_alert(__("Added")); + frappe.show_alert(__("Added")); } } }); diff --git a/frappe/public/js/frappe/dom.js b/frappe/public/js/frappe/dom.js index 4ee6447a9a..939e5daa80 100644 --- a/frappe/public/js/frappe/dom.js +++ b/frappe/public/js/frappe/dom.js @@ -58,19 +58,19 @@ frappe.dom = { }, is_element_in_viewport: function (el) { - //special bonus for those using jQuery - if (typeof jQuery === "function" && el instanceof jQuery) { - el = el[0]; - } + //special bonus for those using jQuery + if (typeof jQuery === "function" && el instanceof jQuery) { + el = el[0]; + } - var rect = el.getBoundingClientRect(); + var rect = el.getBoundingClientRect(); - return ( - rect.top >= 0 - && rect.left >= 0 - // && rect.bottom <= (window.innerHeight || document.documentElement.clientHeight) && /*or $(window).height() */ - // && rect.right <= (window.innerWidth || document.documentElement.clientWidth) /*or $(window).width() */ - ); + return ( + rect.top >= 0 + && rect.left >= 0 + // && rect.bottom <= (window.innerHeight || document.documentElement.clientHeight) && /*or $(window).height() */ + // && rect.right <= (window.innerWidth || document.documentElement.clientWidth) /*or $(window).width() */ + ); }, set_style: function(txt, id) { @@ -115,7 +115,7 @@ frappe.dom = { css: function(ele, s) { if(ele && s) { $.extend(ele.style, s); - }; + } return ele; }, freeze: function(msg, css_class) { @@ -155,7 +155,7 @@ frappe.dom = { save_selection: function() { // via http://stackoverflow.com/questions/5605401/insert-link-in-contenteditable-element if (window.getSelection) { - sel = window.getSelection(); + var sel = window.getSelection(); if (sel.getRangeAt && sel.rangeCount) { var ranges = []; for (var i = 0, len = sel.rangeCount; i < len; ++i) { @@ -171,7 +171,7 @@ frappe.dom = { restore_selection: function(savedSel) { if (savedSel) { if (window.getSelection) { - sel = window.getSelection(); + var sel = window.getSelection(); sel.removeAllRanges(); for (var i = 0, len = savedSel.length; i < len; ++i) { sel.addRange(savedSel[i]); @@ -242,48 +242,48 @@ frappe._in = function(source, target) { })(jQuery); (function($) { - function pasteIntoInput(el, text) { - el.focus(); - if (typeof el.selectionStart == "number") { - var val = el.value; - var selStart = el.selectionStart; - el.value = val.slice(0, selStart) + text + val.slice(el.selectionEnd); - el.selectionEnd = el.selectionStart = selStart + text.length; - } else if (typeof document.selection != "undefined") { - var textRange = document.selection.createRange(); - textRange.text = text; - textRange.collapse(false); - textRange.select(); - } - } + function pasteIntoInput(el, text) { + el.focus(); + if (typeof el.selectionStart == "number") { + var val = el.value; + var selStart = el.selectionStart; + el.value = val.slice(0, selStart) + text + val.slice(el.selectionEnd); + el.selectionEnd = el.selectionStart = selStart + text.length; + } else if (typeof document.selection != "undefined") { + var textRange = document.selection.createRange(); + textRange.text = text; + textRange.collapse(false); + textRange.select(); + } + } - function allowTabChar(el) { - $(el).keydown(function(e) { - if (e.which == 9) { - pasteIntoInput(this, "\t"); - return false; - } - }); + function allowTabChar(el) { + $(el).keydown(function(e) { + if (e.which == 9) { + pasteIntoInput(this, "\t"); + return false; + } + }); - // For Opera, which only allows suppression of keypress events, not keydown - $(el).keypress(function(e) { - if (e.which == 9) { - return false; - } - }); - } + // For Opera, which only allows suppression of keypress events, not keydown + $(el).keypress(function(e) { + if (e.which == 9) { + return false; + } + }); + } - $.fn.allowTabs = function() { - if (this.jquery) { - this.each(function() { - if (this.nodeType == 1) { - var nodeName = this.nodeName.toLowerCase(); - if (nodeName == "textarea" || (nodeName == "input" && this.type == "text")) { - allowTabChar(this); - } - } - }) - } - return this; - } + $.fn.allowTabs = function() { + if (this.jquery) { + this.each(function() { + if (this.nodeType == 1) { + var nodeName = this.nodeName.toLowerCase(); + if (nodeName == "textarea" || (nodeName == "input" && this.type == "text")) { + allowTabChar(this); + } + } + }) + } + return this; + } })(jQuery); diff --git a/frappe/public/js/frappe/feedback.js b/frappe/public/js/frappe/feedback.js index 7a14c96fde..7a2e5d8156 100644 --- a/frappe/public/js/frappe/feedback.js +++ b/frappe/public/js/frappe/feedback.js @@ -3,7 +3,7 @@ frappe.provide("frappe.utils") frappe.utils.Feedback = Class.extend({ resend_feedback_request: function(doc) { /* resend the feedback request email */ - args = { + var args = { reference_name: doc.reference_name, reference_doctype: doc.reference_doctype, request: doc.feedback_request, @@ -14,12 +14,12 @@ frappe.utils.Feedback = Class.extend({ manual_feedback_request: function(doc) { var me = this; - args = { + var args = { reference_doctype: doc.doctype, reference_name: doc.name } if(frappe.boot.feedback_triggers[doc.doctype]) { - feedback_trigger = frappe.boot.feedback_triggers[doc.doctype] + var feedback_trigger = frappe.boot.feedback_triggers[doc.doctype] $.extend(args, { trigger: feedback_trigger }) me.get_feedback_request_details(args, false) } else{ @@ -43,7 +43,7 @@ frappe.utils.Feedback = Class.extend({ make_feedback_request_dialog: function(args, is_resend) { var me = this; - dialog = new frappe.ui.Dialog({ + var dialog = new frappe.ui.Dialog({ title: __("{0} Feedback Request", [ is_resend? "Resend": "Send" ]), fields: [ { diff --git a/frappe/public/js/frappe/form/control.js b/frappe/public/js/frappe/form/control.js index 0345a51024..be94b5b1a7 100755 --- a/frappe/public/js/frappe/form/control.js +++ b/frappe/public/js/frappe/form/control.js @@ -18,7 +18,7 @@ frappe.ui.form.Control = Class.extend({ // if developer_mode=1, show fieldname as tooltip if(frappe.boot.user && frappe.boot.user.name==="Administrator" && frappe.boot.developer_mode===1 && this.$wrapper) { - this.$wrapper.attr("title", __(this.df.fieldname)); + this.$wrapper.attr("title", __(this.df.fieldname)); } if(this.render_input) { @@ -75,8 +75,9 @@ frappe.ui.form.Control = Class.extend({ if (this.doctype && status==="Read" && !this.only_input && is_null(frappe.model.get_value(this.doctype, this.docname, this.df.fieldname)) && !in_list(["HTML", "Image"], this.df.fieldtype)) { - if(explain) console.log("By Hide Read-only, null fields: None"); - status = "None"; + + if(explain) console.log("By Hide Read-only, null fields: None"); + status = "None"; } return status; @@ -189,19 +190,19 @@ frappe.ui.form.ControlImage = frappe.ui.form.Control.extend({ this.$body = $("
    ").appendTo(this.$wrapper) .css({"margin-bottom": "10px"}) this.$wrapper.on("refresh", function() { - var doc = null; - me.$body.empty(); + var doc = null; + me.$body.empty(); - var doc = me.get_doc(); - if(doc && me.df.options && doc[me.df.options]) { - me.$img = $("") - .appendTo(me.$body); - } else { - me.$buffer = $("
    ") - .appendTo(me.$body) - } - return false; - }); + var doc = me.get_doc(); + if(doc && me.df.options && doc[me.df.options]) { + me.$img = $("") + .appendTo(me.$body); + } else { + me.$buffer = $("
    ") + .appendTo(me.$body) + } + return false; + }); $('
    ').appendTo(this.$wrapper); } }); @@ -319,7 +320,7 @@ frappe.ui.form.ControlInput = frappe.ui.form.Control.extend({ set_disp_area: function() { let value = this.get_value(); - if(inList(["Currency", "Int", "Float"], this.df.fieldtype) && (this.value === 0 || value === 0)) { + if(in_list(["Currency", "Int", "Float"], this.df.fieldtype) && (this.value === 0 || value === 0)) { // to set the 0 value in readonly for currency, int, float field value = 0; } else { @@ -400,6 +401,9 @@ frappe.ui.form.ControlInput = frappe.ui.form.Control.extend({ } this._description = this.df.description; }, + set_new_description: function(description) { + this.$wrapper.find(".help-box").html(description); + }, set_empty_description: function() { this.$wrapper.find(".help-box").html(""); }, @@ -430,7 +434,7 @@ frappe.ui.form.ControlData = frappe.ui.form.ControlInput.extend({ if (in_list(['Data', 'Link', 'Dynamic Link', 'Password', 'Select', 'Read Only', 'Attach', 'Attach Image'], this.df.fieldtype)) { - this.$input.attr("maxlength", this.df.length || 140); + this.$input.attr("maxlength", this.df.length || 140); } this.set_input_attributes(); @@ -460,10 +464,13 @@ frappe.ui.form.ControlData = frappe.ui.form.ControlInput.extend({ set_input: function(value) { this.last_value = this.value; this.value = value; - this.$input && this.$input.val(this.format_for_input(value)); + this.set_formatted_input(value); this.set_disp_area(); this.set_mandatory && this.set_mandatory(value); }, + set_formatted_input: function(value) { + this.$input && this.$input.val(this.format_for_input(value)); + }, get_value: function() { return this.$input ? this.$input.val() : undefined; }, @@ -476,7 +483,7 @@ frappe.ui.form.ControlData = frappe.ui.form.ControlInput.extend({ callback(""); return; } - v1 = '' + var v1 = '' // phone may start with + and must only have numbers later, '-' and ' ' are stripped v = v.replace(/ /g, '').replace(/-/g, '').replace(/\(/g, '').replace(/\)/g, ''); @@ -507,7 +514,7 @@ frappe.ui.form.ControlData = frappe.ui.form.ControlInput.extend({ var invalid_email = false; email_list.forEach(function(email) { if (!validate_email(email)) { - msgprint(__("Invalid Email: {0}", [email])); + frappe.msgprint(__("Invalid Email: {0}", [email])); invalid_email = true; } }); @@ -627,10 +634,9 @@ frappe.ui.form.ControlDate = frappe.ui.form.ControlData.extend({ this.set_datepicker(); this.set_t_for_today(); }, - set_input: function(value) { - this._super(value); + set_formatted_input: function(value) { if(value - && ((this.last_value && this.last_value !== this.value) + && ((this.last_value && this.last_value !== value) || (!this.datepicker.selectedDates.length))) { this.datepicker.selectDate(frappe.datetime.str_to_obj(value)); } @@ -647,8 +653,6 @@ frappe.ui.form.ControlDate = frappe.ui.form.ControlData.extend({ todayButton: new Date(), dateFormat: (frappe.boot.sysdefaults.date_format || 'yyyy-mm-dd'), onSelect: function(dateStr) { - if(me.setting_date_flag) return; - me.set_value(me.get_value()); me.$input.trigger('change'); }, onShow: function() { @@ -664,25 +668,34 @@ frappe.ui.form.ControlDate = frappe.ui.form.ControlData.extend({ var me = this; this.$input.on("keydown", function(e) { if(e.which===84) { // 84 === t - me.set_value(frappe.datetime.str_to_user(frappe.datetime.nowdate())); + if(me.df.fieldtype=='Date') { + me.set_value(frappe.datetime.str_to_user( + frappe.datetime.nowdate())); + } if(me.df.fieldtype=='Datetime') { + me.set_value(frappe.datetime.str_to_user( + frappe.datetime.now_datetime())); + } if(me.df.fieldtype=='Time') { + me.set_value(frappe.datetime.str_to_user( + frappe.datetime.now_time())); + } return false; } }); }, parse: function(value) { if(value) { - return dateutil.user_to_str(value); + return frappe.datetime.user_to_str(value); } }, format_for_input: function(value) { if(value) { - return dateutil.str_to_user(value); + return frappe.datetime.str_to_user(value); } return ""; }, validate: function(value, callback) { - if(value && !dateutil.validate(value)) { - msgprint (__("Date must be in format: {0}", [sys_defaults.date_format || "yyyy-mm-dd"])); + if(value && !frappe.datetime.validate(value)) { + frappe.msgprint(__("Date must be in format: {0}", [frappe.sys_defaults.date_format || "yyyy-mm-dd"])); callback(""); return; } @@ -700,7 +713,7 @@ frappe.ui.form.ControlTime = frappe.ui.form.ControlData.extend({ onlyTimepicker: true, timeFormat: "hh:ii:ss", onSelect: function(dateObj) { - me.set_value(dateObj); + me.$input.trigger('change'); }, onShow: function() { $('.datepicker--button:visible').text(__('Now')); @@ -733,14 +746,14 @@ frappe.ui.form.ControlDatetime = frappe.ui.form.ControlDate.extend({ parse: function(value) { if(value) { // parse and convert - value = dateutil.convert_to_system_tz(dateutil.user_to_str(value)); + value = frappe.datetime.convert_to_system_tz(frappe.datetime.user_to_str(value)); } return value; }, format_for_input: function(value) { if(value) { // convert and format - value = dateutil.str_to_user(dateutil.convert_to_user_tz(value)); + value = frappe.datetime.str_to_user(frappe.datetime.convert_to_user_tz(value)); } return value || ""; } @@ -789,16 +802,16 @@ frappe.ui.form.ControlDateRange = frappe.ui.form.ControlData.extend({ }, parse: function(value) { if(value && (value.indexOf(',') !== -1 || value.indexOf('to') !== -1)) { - vals = value.split(/[( to )(,)]/) - from_date = moment(dateutil.user_to_obj(vals[0])).format('YYYY-MM-DD'); - to_date = moment(dateutil.user_to_obj(vals[vals.length-1])).format('YYYY-MM-DD'); + var vals = value.split(/[( to )(,)]/) + var from_date = moment(frappe.datetime.user_to_obj(vals[0])).format('YYYY-MM-DD'); + var to_date = moment(frappe.datetime.user_to_obj(vals[vals.length-1])).format('YYYY-MM-DD'); return [from_date, to_date]; } }, format_for_input: function(value,value2) { if(value && value2) { - value = dateutil.str_to_user(value); - value2 = dateutil.str_to_user(value2); + value = frappe.datetime.str_to_user(value); + value2 = frappe.datetime.str_to_user(value2); return value + " to " + value2 } return ""; @@ -1025,7 +1038,7 @@ frappe.ui.form.ControlAttach = frappe.ui.form.ControlData.extend({ me.dialog.hide(); me.frm.save(); } else { - msgprint(__("Please attach a file or set a URL")); + frappe.msgprint(__("Please attach a file or set a URL")); } }, callback: function(attachment, r) { @@ -1314,20 +1327,6 @@ frappe.ui.form.ControlLink = frappe.ui.form.ControlData.extend({ }, setup_awesomeplete: function() { var me = this; - this.$input.on("blur", function() { - if(me.selected) { - me.selected = false; - return; - } - var value = me.get_value(); - if(me.doctype && me.docname) { - if(value!==me.last_value) { - me.parse_validate_and_set_in_model(value); - } - } else { - me.set_mandatory(value); - } - }); this.$input.cache = {}; @@ -1346,7 +1345,7 @@ frappe.ui.form.ControlLink = frappe.ui.form.ControlData.extend({ return true; }, item: function (item, input) { - d = this.get_item(item.value); + var d = this.get_item(item.value); if(!d.label) { d.label = d.value; } var _label = (me.translate_values) ? __(d.label) : d.label; @@ -1408,7 +1407,7 @@ frappe.ui.form.ControlLink = frappe.ui.form.ControlData.extend({ value: "create_new__link_option", action: me.new_doc }) - }; + } // advanced search r.results.push({ label: "" @@ -1425,6 +1424,31 @@ frappe.ui.form.ControlLink = frappe.ui.form.ControlData.extend({ }); }); + this.$input.on("blur", function() { + if(me.selected) { + me.selected = false; + return; + } + var value = me.get_value(); + if(me.doctype && me.docname) { + if(value!==me.last_value) { + me.parse_validate_and_set_in_model(value); + } + } else { + var cache_list = me.$input.cache[me.get_options()]; + if (cache_list && cache_list[""]) { + var docs = cache_list[""].map(item => item.label); + if(docs.includes(value)) { + me.set_mandatory(value); + } else { + me.$input.val(""); + } + } else { + me.$input.val(value); + } + } + }); + this.$input.on("awesomplete-open", function(e) { me.$wrapper.css({"z-index": 100}); me.$wrapper.find('ul').css({"z-index": 100}); @@ -1591,7 +1615,7 @@ frappe.ui.form.ControlDynamicLink = frappe.ui.form.ControlLink.extend({ } var options = frappe.model.get_value(this.df.parent, this.docname, this.df.options); // if(!options) { - // msgprint(__("Please set {0} first", + // frappe.msgprint(__("Please set {0} first", // [frappe.meta.get_docfield(this.df.parent, this.df.options, this.docname).label])); // } return options; @@ -1647,6 +1671,16 @@ frappe.ui.form.ControlTextEditor = frappe.ui.form.ControlCode.extend({ prettifyHtml: true, dialogsInBody: true, callbacks: { + onInit: function() { + // firefox hack that puts the caret in the wrong position + // when div is empty. To fix, seed with a
    . + // See https://bugzilla.mozilla.org/show_bug.cgi?id=550434 + // this function is executed only once + $(".note-editable[contenteditable='true']").one('focus', function() { + var $this = $(this); + $this.html($this.html() + '
    '); + }); + }, onChange: function(value) { me.parse_validate_and_set_in_model(value); }, @@ -1788,7 +1822,7 @@ frappe.ui.form.ControlTextEditor = frappe.ui.form.ControlCode.extend({ me.editor.summernote('insertImage', selected); me.image_dialog.hide(); } else { - msgprint(__("Please attach a file or set a URL")); + frappe.msgprint(__("Please attach a file or set a URL")); } }, callback: function(attachment, r) { @@ -1899,9 +1933,9 @@ frappe.ui.form.ControlSignature = frappe.ui.form.ControlData.extend({ // make jSignature field this.$pad = $('
    ') - .appendTo(me.wrapper) - .jSignature({height:300, width: "100%", "lineWidth": 0.8}) - .on('change', this.on_save_sign.bind(this)); + .appendTo(me.wrapper) + .jSignature({height:300, width: "100%", "lineWidth": 0.8}) + .on('change', this.on_save_sign.bind(this)); this.img_wrapper = $(`
    @@ -1929,7 +1963,7 @@ frappe.ui.form.ControlSignature = frappe.ui.form.ControlData.extend({ this.set_editable(this.get_status()=="Write"); this.load_pad(); if(this.get_status()=="Read") { - $(this.disp_area).toggle(false); + $(this.disp_area).toggle(false); } }, set_image: function(value) { @@ -1967,15 +2001,15 @@ frappe.ui.form.ControlSignature = frappe.ui.form.ControlData.extend({ } }, set_editable: function(editable) { - this.$pad.toggle(editable); - this.img_wrapper.toggle(!editable); - this.$btnWrapper.toggle(editable); - if (editable) { - this.$btnWrapper.addClass('editing'); - } - else { - this.$btnWrapper.removeClass('editing'); - } + this.$pad.toggle(editable); + this.img_wrapper.toggle(!editable); + this.$btnWrapper.toggle(editable); + if (editable) { + this.$btnWrapper.addClass('editing'); + } + else { + this.$btnWrapper.removeClass('editing'); + } }, set_my_value: function(value) { if (this.saving || this.loading) return; diff --git a/frappe/public/js/frappe/form/dashboard.js b/frappe/public/js/frappe/form/dashboard.js index 8fa5a526ae..6b5f5b239e 100644 --- a/frappe/public/js/frappe/form/dashboard.js +++ b/frappe/public/js/frappe/form/dashboard.js @@ -259,7 +259,7 @@ frappe.ui.form.Dashboard = Class.extend({ group.items.forEach(function(item) { items.push(item); }); }); - method = this.data.method || 'frappe.desk.notifications.get_open_count'; + var method = this.data.method || 'frappe.desk.notifications.get_open_count'; frappe.call({ type: "GET", @@ -359,7 +359,7 @@ frappe.ui.form.Dashboard = Class.extend({ } else { heatmap_message.addClass('hidden'); } - } + } }, add_indicator: function(label, color) { @@ -370,6 +370,7 @@ frappe.ui.form.Dashboard = Class.extend({ // set colspan var indicators = this.stats_area_row.find('.indicator-column'); var n_indicators = indicators.length + 1; + var colspan; if(n_indicators > 4) { colspan = 3 } else { colspan = 12 / n_indicators; } diff --git a/frappe/public/js/frappe/form/footer/assign_to.js b/frappe/public/js/frappe/form/footer/assign_to.js index 05259e541f..950443de57 100644 --- a/frappe/public/js/frappe/form/footer/assign_to.js +++ b/frappe/public/js/frappe/form/footer/assign_to.js @@ -55,13 +55,13 @@ frappe.ui.form.AssignTo = Class.extend({ ', info)) .insertBefore(this.parent.find('.add-assignment')); - if(d[i].owner===user) { + if(d[i].owner===frappe.session.user) { me.primary_action = this.frm.page.add_menu_item(__("Assignment Complete"), function() { - me.remove(user); + me.remove(frappe.session.user); }, "fa fa-check", "btn-success") } - if(!(d[i].owner === user || me.frm.perm[0].write)) { + if(!(d[i].owner === frappe.session.user || me.frm.perm[0].write)) { me.parent.find('a.close').remove(); } } @@ -164,7 +164,7 @@ frappe.ui.form.AssignToDialog = Class.extend({ toggle_myself: function(myself) { var me = this; if($(myself).prop("checked")) { - me.set_value("assign_to", user); + me.set_value("assign_to", frappe.session.user); me.set_value("notify", 0); me.get_field("notify").$wrapper.toggle(false); me.get_field("assign_to").$wrapper.toggle(false); diff --git a/frappe/public/js/frappe/form/footer/attachments.js b/frappe/public/js/frappe/form/footer/attachments.js index 59138c5500..43c86bb812 100644 --- a/frappe/public/js/frappe/form/footer/attachments.js +++ b/frappe/public/js/frappe/form/footer/attachments.js @@ -18,7 +18,7 @@ frappe.ui.form.Attachments = Class.extend({ }, max_reached: function() { // no of attachments - var n = keys(this.get_attachments()).length; + var n = Object.keys(this.get_attachments()).length; // button if the number of attachments is less than max if(n < this.frm.meta.max_attachments || !this.frm.meta.max_attachments) { @@ -135,7 +135,7 @@ frappe.ui.form.Attachments = Class.extend({ callback: function(r,rt) { if(r.exc) { if(!r._server_messages) - msgprint(__("There were errors")); + frappe.msgprint(__("There were errors")); return; } me.remove_fileid(fileid); @@ -207,15 +207,16 @@ frappe.ui.form.Attachments = Class.extend({ }); frappe.ui.get_upload_dialog = function(opts){ - dialog = new frappe.ui.Dialog({ - title: __('Upload Attachment'), + var dialog = new frappe.ui.Dialog({ + title: __('Upload Attachment'), no_focus: true, - fields: [ - {fieldtype: "Section Break"}, + fields: [ + {"fieldtype": "Section Break"}, {"fieldtype": "Link" , "fieldname": "file" , "label": __("Select uploaded file"), "options": "File"}, - ], + {"hidden": !opts.args.doctype || !frappe.boot.gsuite_enabled,"fieldtype": "Section Break", "label": __("GSuite Document")}, + {"fieldtype": "Link" ,"fieldname": "gs_template" ,"label": __("Select template"), "options": "GSuite Templates", reqd : false, filters: {'related_doctype': opts.args.doctype}}, + ], }); - var btn = dialog.set_primary_action(__("Attach")); btn.removeClass("btn-primary").addClass("btn-default"); @@ -223,23 +224,28 @@ frappe.ui.get_upload_dialog = function(opts){ var upload_area = $('
    ').prependTo(dialog.body); var fd = dialog.fields_dict; + + $(fd.gs_template.input).change(function() { + opts.args.gs_template = fd.gs_template.get_value(); + }); + $(fd.file.input).change(function() { - frappe.call({ + frappe.call({ 'method': 'frappe.client.get_value', 'args': { - 'doctype': 'File', - 'fieldname': ['file_url','file_name','is_private'], - 'filters': { - 'name': dialog.get_value("file") - } + 'doctype': 'File', + 'fieldname': ['file_url','file_name','is_private'], + 'filters': { + 'name': dialog.get_value("file") + } }, callback: function(r){ if(!r.message) return; - dialog.$wrapper.find('[name="file_url"]').val(r.message.file_url); + dialog.$wrapper.find('[name="file_url"]').val(r.message.file_url); dialog.$wrapper.find('.private-file input').prop('checked', r.message.is_private); - opts.args.filename = r.message.file_name + opts.args.filename = r.message.file_name; } - }); + }); }); frappe.upload.make({ parent: upload_area, @@ -262,4 +268,4 @@ frappe.ui.get_upload_dialog = function(opts){ }); return dialog; -} \ No newline at end of file +} diff --git a/frappe/public/js/frappe/form/footer/timeline.js b/frappe/public/js/frappe/form/footer/timeline.js index 0a9e371f3f..7eb1ecf120 100644 --- a/frappe/public/js/frappe/form/footer/timeline.js +++ b/frappe/public/js/frappe/form/footer/timeline.js @@ -76,10 +76,10 @@ frappe.ui.form.Timeline = Class.extend({ setup_email_button: function() { var me = this; - selector = this.frm.doctype === "Communication"? ".btn-reply-email": ".btn-new-email" + var selector = this.frm.doctype === "Communication"? ".btn-reply-email": ".btn-new-email" this.email_button = this.wrapper.find(selector) .on("click", function() { - args = { + var args = { doc: me.frm.doc, frm: me.frm, recipients: me.get_recipient() @@ -116,13 +116,13 @@ frappe.ui.form.Timeline = Class.extend({ var communications = this.get_communications(true); - $.each(communications.sort(function(a, b) { return a.creation > b.creation ? -1 : 1 }), - function(i, c) { - if(c.content) { - c.frm = me.frm; - me.render_timeline_item(c); - } - }); + communications + .sort((a, b) => a.creation > b.creation ? -1 : 1) + .filter(c => c.content) + .forEach(c => { + c.frm = me.frm; + me.render_timeline_item(c); + }); // more btn if (this.more===undefined && communications.length===20) { @@ -309,7 +309,7 @@ frappe.ui.form.Timeline = Class.extend({ c._liked_by = JSON.parse(c._liked_by || "[]"); } - c.liked_by_user = c._liked_by.indexOf(user)!==-1; + c.liked_by_user = c._liked_by.indexOf(frappe.session.user)!==-1; } } @@ -453,7 +453,7 @@ frappe.ui.form.Timeline = Class.extend({ p[0], me.frm.docname); if(df && !df.hidden) { - field_display_status = frappe.perm.get_field_display_status(df, + var field_display_status = frappe.perm.get_field_display_status(df, null, me.frm.perm); if(field_display_status === 'Read' || field_display_status === 'Write') { @@ -535,7 +535,7 @@ frappe.ui.form.Timeline = Class.extend({ reference_doctype: this.frm.doctype, reference_name: this.frm.docname, content: comment, - sender: user + sender: frappe.session.user } }, btn: btn, diff --git a/frappe/public/js/frappe/form/footer/timeline_item.html b/frappe/public/js/frappe/form/footer/timeline_item.html index 639b2f7047..214a18e33b 100755 --- a/frappe/public/js/frappe/form/footer/timeline_item.html +++ b/frappe/public/js/frappe/form/footer/timeline_item.html @@ -41,7 +41,7 @@ – {%= data.comment_on %} - {% if(inList(["Communication", "Feedback"], data.communication_type)) { %} + {% if(in_list(["Communication", "Feedback"], data.communication_type)) { %} {% if (frappe.model.can_read(\'Communication\')) { %} diff --git a/frappe/public/js/frappe/form/form_viewers.js b/frappe/public/js/frappe/form/form_viewers.js index 222705fb61..b29ceb7584 100644 --- a/frappe/public/js/frappe/form/form_viewers.js +++ b/frappe/public/js/frappe/form/form_viewers.js @@ -43,9 +43,9 @@ frappe.ui.form.Viewers = Class.extend({ if (data_updated && new_users.length) { // new user viewing this document, who wasn't viewing in the past if (new_users.length===1) { - show_alert(__("{0} is currently viewing this document", [new_users[0]])); + frappe.show_alert(__("{0} is currently viewing this document", [new_users[0]])); } else { - show_alert(__("{0} are currently viewing this document", [frappe.utils.comma_and(new_users)])); + frappe.show_alert(__("{0} are currently viewing this document", [frappe.utils.comma_and(new_users)])); } } @@ -56,15 +56,9 @@ frappe.ui.form.set_viewers = function(data) { var doctype = data.doctype; var docname = data.docname; var past_viewers = (frappe.model.get_docinfo(doctype, docname).viewers || {}).past || []; - var new_viewers = []; var viewers = data.viewers || []; - for (i=0, l=viewers.length; i < l; i++) { - var username = viewers[i]; - if (past_viewers.indexOf(username)===-1) { - new_viewers.push(username); - } - } + var new_viewers = viewers.filter(viewer => !past_viewers.includes(viewer)); frappe.model.set_docinfo(doctype, docname, "viewers", { past: past_viewers.concat(new_viewers), diff --git a/frappe/public/js/frappe/form/formatters.js b/frappe/public/js/frappe/form/formatters.js index d25faa21e7..c23d440f47 100644 --- a/frappe/public/js/frappe/form/formatters.js +++ b/frappe/public/js/frappe/form/formatters.js @@ -99,7 +99,7 @@ frappe.form.formatters = { }, Date: function(value) { if (value) { - value = dateutil.str_to_user(value); + value = frappe.datetime.str_to_user(value); // handle invalid date if (value==="Invalid date") { value = null; @@ -110,7 +110,7 @@ frappe.form.formatters = { }, Datetime: function(value) { if(value) { - var m = moment(dateutil.convert_to_user_tz(value)); + var m = moment(frappe.datetime.convert_to_user_tz(value)); if(frappe.boot.sysdefaults.time_zone) { m = m.tz(frappe.boot.sysdefaults.time_zone); } @@ -182,7 +182,7 @@ frappe.form.formatters = { return "
    " + (value==null ? "" : $("
    ").text(value).html()) + "
    " }, WorkflowState: function(value) { - workflow_state = frappe.get_doc("Workflow State", value); + var workflow_state = frappe.get_doc("Workflow State", value); if(workflow_state) { return repl(" 11) - return false; - this.visible_columns.push([df, df.colsize]); + if(df.columns) { + df.colsize=df.columns; + } + else { + var colsize = 2; + switch(df.fieldtype) { + case "Text": + case "Small Text": colsize = 3; break; + case"Check": colsize = 1; + } + df.colsize = colsize; } + + total_colsize += df.colsize; + if(total_colsize > 11) + return false; + this.visible_columns.push([df, df.colsize]); + } } // redistribute if total-col size is less than 12 @@ -478,7 +498,7 @@ frappe.ui.form.Grid = Class.extend({ is_editable: function() { - return this.display_status=="Write" && !this.static_rows + return this.display_status=="Write" && !this.static_rows; }, is_sortable: function() { return this.sortable_status || this.is_editable(); @@ -586,7 +606,7 @@ frappe.ui.form.Grid = Class.extend({ // add data $.each(me.frm.doc[me.df.fieldname] || [], function(i, d) { - row = []; + var row = []; $.each(data[2], function(i, fieldname) { var value = d[fieldname]; @@ -651,9 +671,9 @@ frappe.ui.form.GridRow = Class.extend({ }); // no checkboxes if too small - if(this.is_too_small()) { - this.row_check_html = ''; - } + // if(this.is_too_small()) { + // this.row_check_html = ''; + // } if(this.grid.template && !this.grid.meta.editable_grid) { this.render_template(); @@ -686,20 +706,31 @@ frappe.ui.form.GridRow = Class.extend({ this.grid.refresh_remove_rows_button(); }, remove: function() { + var me = this; if(this.grid.is_editable()) { - if(this.get_open_form()) { - this.hide_form(); - } + if(this.frm) { + if(this.get_open_form()) { + this.hide_form(); + } - this.frm.script_manager.trigger("before_" + this.grid.df.fieldname + "_remove", - this.doc.doctype, this.doc.name); + this.frm.script_manager.trigger("before_" + this.grid.df.fieldname + "_remove", + this.doc.doctype, this.doc.name); - //this.wrapper.toggle(false); - frappe.model.clear_doc(this.doc.doctype, this.doc.name); + //this.wrapper.toggle(false); + frappe.model.clear_doc(this.doc.doctype, this.doc.name); - this.frm.script_manager.trigger(this.grid.df.fieldname + "_remove", - this.doc.doctype, this.doc.name); - this.frm.dirty(); + this.frm.script_manager.trigger(this.grid.df.fieldname + "_remove", + this.doc.doctype, this.doc.name); + this.frm.dirty(); + } else { + this.grid.df.data = this.grid.df.data.filter(function(d) { + return d.name !== me.doc.name; + }) + // remap idxs + this.grid.df.data.forEach(function(d, i) { + d.idx = i+1; + }); + } this.grid.refresh(); } }, @@ -759,9 +790,10 @@ frappe.ui.form.GridRow = Class.extend({ // index (1, 2, 3 etc) if(!this.row_index) { var txt = (this.doc ? this.doc.idx : " "); - this.row_index = $('
    ' + - this.row_check_html + - ' ' + txt + '
    ') + this.row_index = $( + `
    + ${this.row_check_html} + ${txt}
    `) .appendTo(this.row) .on('click', function(e) { if(!$(e.target).hasClass('grid-row-check')) { @@ -786,12 +818,12 @@ frappe.ui.form.GridRow = Class.extend({ }, is_too_small: function() { - return this.row.width() < 400; + return this.row.width() ? this.row.width() < 300 : false; }, add_open_form_button: function() { var me = this; - if(this.doc) { + if(this.doc && !this.grid.df.in_place_edit) { // remove row if(!this.open_form_button) { this.open_form_button = $('
    \ @@ -840,7 +872,6 @@ frappe.ui.form.GridRow = Class.extend({ } } } - }, make_column: function(df, colsize, txt, ci) { @@ -852,7 +883,7 @@ frappe.ui.form.GridRow = Class.extend({ add_class += (["Check"].indexOf(df.fieldtype)!==-1) ? " text-center": ""; - $col = $('
    ') + var $col = $('
    ') .attr("data-fieldname", df.fieldname) .attr("data-fieldtype", df.fieldtype) .data("df", df) @@ -861,7 +892,7 @@ frappe.ui.form.GridRow = Class.extend({ if(frappe.ui.form.editable_row===me) { return; } - out = me.toggle_editable_row(); + var out = me.toggle_editable_row(); var col = this; setTimeout(function() { $(col).find('input[type="Text"]:first').focus(); @@ -890,7 +921,7 @@ frappe.ui.form.GridRow = Class.extend({ if(frappe.ui.form.editable_row && frappe.ui.form.editable_row !== this) { frappe.ui.form.editable_row.toggle_editable_row(false); - }; + } this.row.toggleClass('editable-row', true); @@ -942,15 +973,14 @@ frappe.ui.form.GridRow = Class.extend({ field.get_query = this.grid.get_field(df.fieldname).get_query; field.refresh(); if(field.$input) { - field.$input.addClass('input-sm'); field.$input + .addClass('input-sm') .attr('data-col-idx', column.column_index) .attr('placeholder', __(df.label)); - - // flag list input - if (this.columns_list && this.columns_list.slice(-1)[0]===column) { - field.$input.attr('data-last-input', 1); - } + // flag list input + if (this.columns_list && this.columns_list.slice(-1)[0]===column) { + field.$input.attr('data-last-input', 1); + } } this.set_arrow_keys(field); @@ -964,6 +994,7 @@ frappe.ui.form.GridRow = Class.extend({ var me = this; if(field.$input) { field.$input.on('keydown', function(e) { + var { TAB, UP_ARROW, DOWN_ARROW } = frappe.ui.keyCode; if(!in_list([TAB, UP_ARROW, DOWN_ARROW], e.which)) { return; } @@ -1103,8 +1134,20 @@ frappe.ui.form.GridRow = Class.extend({ } }, refresh_field: function(fieldname, txt) { - var df = this.grid.get_docfield(fieldname); - if(txt===undefined) { + var df = this.grid.get_docfield(fieldname) || undefined; + + // format values if no frm + if(!df) { + df = this.grid.visible_columns.find((col) => { + return col[0].fieldname === fieldname; + }); + if(df && this.doc) { + var txt = frappe.format(this.doc[fieldname], df[0], + null, this.doc); + } + } + + if(txt===undefined && this.frm) { var txt = frappe.format(this.doc[fieldname], df, null, this.frm.doc); } @@ -1113,7 +1156,7 @@ frappe.ui.form.GridRow = Class.extend({ var column = this.columns[fieldname]; if(column) { column.static_area.html(txt || ""); - if(df.reqd) { + if(df && df.reqd) { column.toggleClass('error', !!(txt===null || txt==='')); } } diff --git a/frappe/public/js/frappe/form/layout.js b/frappe/public/js/frappe/form/layout.js index f81ba69e36..d44ecdaa7b 100644 --- a/frappe/public/js/frappe/form/layout.js +++ b/frappe/public/js/frappe/form/layout.js @@ -54,18 +54,14 @@ frappe.ui.form.Layout = Class.extend({ this.make_section(); } $.each(this.fields, function(i, df) { - switch(df.fieldtype) { - case "Fold": - me.make_page(df); - break; - case "Section Break": - me.make_section(df); - break; - case "Column Break": - me.make_column(df); - break; - default: - me.make_field(df); + if(df.fieldtype === "Fold") { + me.make_page(df); + } else if (df.fieldtype === "Section Break") { + me.make_section(df); + } else if (df.fieldtype === "Column Break") { + me.make_column(df); + } else { + me.make_field(df); } }); @@ -225,7 +221,7 @@ frappe.ui.form.Layout = Class.extend({ if(me.frm) { fieldobj.perm = me.frm.perm; } - }; + } refresh && fieldobj.refresh && fieldobj.refresh(); } }, @@ -249,7 +245,7 @@ frappe.ui.form.Layout = Class.extend({ }, handle_tab: function(doctype, fieldname, shift) { var me = this, - grid_row = null; + grid_row = null, prev = null, fields = me.fields_list, in_grid = false, @@ -357,7 +353,7 @@ frappe.ui.form.Layout = Class.extend({ // build dependants' dictionary var has_dep = false; - for(fkey in this.fields_list) { + for(var fkey in this.fields_list) { var f = this.fields_list[fkey]; f.dependencies_clear = true; if(f.df.depends_on) { @@ -409,7 +405,7 @@ frappe.ui.form.Layout = Class.extend({ if(expression.substr(0,5)=='eval:') { out = eval(expression.substr(5)); - } else if(expression.substr(0,3)=='fn:' && me.frm) { + } else if(expression.substr(0,3)=='fn:' && this.frm) { out = this.frm.script_manager.trigger(expression.substr(3), this.doctype, this.docname); } else { var value = doc[expression]; diff --git a/frappe/public/js/frappe/form/link_selector.js b/frappe/public/js/frappe/form/link_selector.js index be4d73d6b0..5737e132de 100644 --- a/frappe/public/js/frappe/form/link_selector.js +++ b/frappe/public/js/frappe/form/link_selector.js @@ -2,22 +2,24 @@ // MIT License. See license.txt frappe.ui.form.LinkSelector = Class.extend({ - init: function(opts) { + init: function (opts) { /* help: Options: doctype, get_query, target */ $.extend(this, opts); var me = this; - if(this.doctype!="[Select]") { - frappe.model.with_doctype(this.doctype, function(r) { + if (this.doctype != "[Select]") { + frappe.model.with_doctype(this.doctype, function (r) { me.make(); }); } else { this.make(); } }, - make: function() { + make: function () { + var me = this; + this.dialog = new frappe.ui.Dialog({ - title: __("Select {0}", [(this.doctype=='[Select]') ? __("value") : __(this.doctype)]), + title: __("Select {0}", [(this.doctype == '[Select]') ? __("value") : __(this.doctype)]), fields: [ { fieldtype: "Data", fieldname: "txt", label: __("Beginning with"), @@ -28,46 +30,45 @@ frappe.ui.form.LinkSelector = Class.extend({ } ], primary_action_label: __("Search"), - primary_action: function() { + primary_action: function () { me.search(); } }); - me = this; - if(this.txt) + if (this.txt) this.dialog.fields_dict.txt.set_input(this.txt); - this.dialog.get_input("txt").on("keypress", function(e) { - if(e.which===13) { + this.dialog.get_input("txt").on("keypress", function (e) { + if (e.which === 13) { me.search(); } }); this.dialog.show(); this.search(); }, - search: function() { + search: function () { var args = { - txt: this.dialog.fields_dict.txt.get_value(), - searchfield: "name" - }, - me = this; + txt: this.dialog.fields_dict.txt.get_value(), + searchfield: "name" + }; + var me = this; - if(this.target.set_custom_query) { + if (this.target.set_custom_query) { this.target.set_custom_query(args); } // load custom query from grid - if(this.target.is_grid && this.target.fieldinfo[this.fieldname] + if (this.target.is_grid && this.target.fieldinfo[this.fieldname] && this.target.fieldinfo[this.fieldname].get_query) { $.extend(args, - this.target.fieldinfo[this.fieldname].get_query(cur_frm.doc)); + this.target.fieldinfo[this.fieldname].get_query(cur_frm.doc)); } - frappe.link_search(this.doctype, args, function(r) { + frappe.link_search(this.doctype, args, function (r) { var parent = me.dialog.fields_dict.results.$wrapper; parent.empty(); - if(r.values.length) { - $.each(r.values, function(i, v) { + if (r.values.length) { + $.each(r.values, function (i, v) { var row = $(repl('
    ' + html); }, no_letterhead: !this.with_letterhead(), @@ -172,75 +175,75 @@ frappe.ui.form.PrintPreview = Class.extend({ no_heading: true }); }, - refresh_print_options: function() { + refresh_print_options: function () { this.print_formats = frappe.meta.get_print_formats(this.frm.doctype); return this.print_sel .empty().add_options(this.print_formats); }, - with_old_style: function(opts) { - frappe.require("/assets/js/print_format_v3.min.js", function() { + with_old_style: function (opts) { + frappe.require("/assets/js/print_format_v3.min.js", function () { _p.build(opts.format, opts.callback, opts.no_letterhead, opts.only_body, opts.no_heading); }); }, - print_old_style: function() { + print_old_style: function () { var me = this; - frappe.require("/assets/js/print_format_v3.min.js", function() { + frappe.require("/assets/js/print_format_v3.min.js", function () { _p.build(me.print_sel.val(), _p.go, !me.with_letterhead()); }); }, - new_page_preview_old_style: function() { + new_page_preview_old_style: function () { var me = this; - frappe.require("/assets/js/print_format_v3.min.js", function() { + frappe.require("/assets/js/print_format_v3.min.js", function () { _p.build(me.print_sel.val(), _p.preview, !me.with_letterhead()); }); }, - selected_format: function() { + selected_format: function () { return this.print_sel.val() || this.frm.meta.default_print_format || "Standard"; }, - is_old_style: function(format) { - return this.get_print_format(format).print_format_type==="Client"; + is_old_style: function (format) { + return this.get_print_format(format).print_format_type === "Client"; }, - get_print_format: function(format) { + get_print_format: function (format) { if (!format) { format = this.selected_format(); } - if(locals["Print Format"] && locals["Print Format"][format]) { + if (locals["Print Format"] && locals["Print Format"][format]) { return locals["Print Format"][format] } else { return {} } }, - with_letterhead: function() { + with_letterhead: function () { return this.print_letterhead.is(":checked") ? 1 : 0; }, - set_style: function(style) { + set_style: function (style) { frappe.dom.set_style(style || frappe.boot.print_css, "print-style"); } }); -frappe.ui.get_print_settings = function(pdf, callback, letter_head) { +frappe.ui.get_print_settings = function (pdf, callback, letter_head) { var print_settings = locals[":Print Settings"]["Print Settings"]; var default_letter_head = locals[":Company"] && frappe.defaults.get_default('company') ? locals[":Company"][frappe.defaults.get_default('company')]["default_letter_head"] : ''; - columns = [{ + var columns = [{ fieldtype: "Check", fieldname: "with_letter_head", label: __("With Letter head") - },{ + }, { fieldtype: "Select", fieldname: "letter_head", label: __("Letter Head"), depends_on: "with_letter_head", - options: $.map(frappe.boot.letter_heads, function(i,d){ return d }), + options: $.map(frappe.boot.letter_heads, function (i, d) { return d }), default: letter_head || default_letter_head }]; - if(pdf) { + if (pdf) { columns.push({ fieldtype: "Select", fieldname: "orientation", @@ -250,12 +253,12 @@ frappe.ui.get_print_settings = function(pdf, callback, letter_head) { }) } - frappe.prompt(columns, function(data) { + frappe.prompt(columns, function (data) { var data = $.extend(print_settings, data); - if(!data.with_letter_head) { + if (!data.with_letter_head) { data.letter_head = null; } - if(data.letter_head) { + if (data.letter_head) { data.letter_head = frappe.boot.letter_heads[print_settings.letter_head]; } callback(data); diff --git a/frappe/public/js/frappe/form/quick_entry.js b/frappe/public/js/frappe/form/quick_entry.js index 2e830ce54d..a267839884 100644 --- a/frappe/public/js/frappe/form/quick_entry.js +++ b/frappe/public/js/frappe/form/quick_entry.js @@ -66,7 +66,7 @@ frappe.ui.form.quick_entry = function(doctype, success) { if(data) { dialog.working = true; - values = update_doc(); + var values = update_doc(); frappe.call({ method: "frappe.client.insert", args: { diff --git a/frappe/public/js/frappe/form/save.js b/frappe/public/js/frappe/form/save.js index e75383e010..0c00ab3876 100644 --- a/frappe/public/js/frappe/form/save.js +++ b/frappe/public/js/frappe/form/save.js @@ -3,7 +3,7 @@ frappe.provide("frappe.ui.form"); -frappe.ui.form.save = function(frm, action, callback, btn) { +frappe.ui.form.save = function (frm, action, callback, btn) { $(btn).prop("disabled", true); // specified here because there are keyboard shortcuts to save @@ -17,14 +17,14 @@ frappe.ui.form.save = function(frm, action, callback, btn) { var freeze_message = working_label ? __(working_label) : ""; - var save = function() { - check_name(function() { + var save = function () { + check_name(function () { $(frm.wrapper).addClass('validated-form'); - if(check_mandatory()) { + if (check_mandatory()) { _call({ method: "frappe.desk.form.save.savedocs", - args: { doc: frm.doc, action:action}, - callback: function(r) { + args: { doc: frm.doc, action: action }, + callback: function (r) { $(document).trigger("save", [frm.doc]); callback(r); }, @@ -38,7 +38,7 @@ frappe.ui.form.save = function(frm, action, callback, btn) { }; - var cancel = function() { + var cancel = function () { var args = { doctype: frm.doc.doctype, name: frm.doc.name @@ -46,7 +46,7 @@ frappe.ui.form.save = function(frm, action, callback, btn) { // update workflow state value if workflow exists var workflow_state_fieldname = frappe.workflow.get_state_fieldname(frm.doctype); - if(workflow_state_fieldname) { + if (workflow_state_fieldname) { $.extend(args, { workflow_state_fieldname: workflow_state_fieldname, workflow_state: frm.doc[workflow_state_fieldname] @@ -57,7 +57,7 @@ frappe.ui.form.save = function(frm, action, callback, btn) { _call({ method: "frappe.desk.form.save.cancel", args: args, - callback: function(r) { + callback: function (r) { $(document).trigger("save", [frm.doc]); callback(r); }, @@ -66,17 +66,17 @@ frappe.ui.form.save = function(frm, action, callback, btn) { }); }; - var check_name = function(callback) { + var check_name = function (callback) { var doc = frm.doc; var meta = locals.DocType[doc.doctype]; - if(doc.__islocal && (meta && meta.autoname - && meta.autoname.toLowerCase()=='prompt')) { - var d = frappe.prompt(__("Name"), function(values) { + if (doc.__islocal && (meta && meta.autoname + && meta.autoname.toLowerCase() == 'prompt')) { + var d = frappe.prompt(__("Name"), function (values) { var newname = values.value; - if(newname) { + if (newname) { doc.__newname = strip(newname); } else { - msgprint(__("Name is required")); + frappe.msgprint(__("Name is required")); throw "name required"; } @@ -84,11 +84,11 @@ frappe.ui.form.save = function(frm, action, callback, btn) { }, __('Enter the name of the new {0}', [doc.doctype]), __("Create")); - if(doc.__newname) { + if (doc.__newname) { d.set_value("value", doc.__newname); } - d.onhide = function() { + d.onhide = function () { $(btn).prop("disabled", false); } } else { @@ -96,36 +96,36 @@ frappe.ui.form.save = function(frm, action, callback, btn) { } }; - var check_mandatory = function() { + var check_mandatory = function () { var me = this; var has_errors = false; frm.scroll_set = false; - if(frm.doc.docstatus==2) return true; // don't check for cancel + if (frm.doc.docstatus == 2) return true; // don't check for cancel - $.each(frappe.model.get_all_docs(frm.doc), function(i, doc) { + $.each(frappe.model.get_all_docs(frm.doc), function (i, doc) { var error_fields = []; var folded = false; - $.each(frappe.meta.docfield_list[doc.doctype] || [], function(i, docfield) { - if(docfield.fieldname) { + $.each(frappe.meta.docfield_list[doc.doctype] || [], function (i, docfield) { + if (docfield.fieldname) { var df = frappe.meta.get_docfield(doc.doctype, docfield.fieldname, frm.doc.name); - if(df.fieldtype==="Fold") { + if (df.fieldtype === "Fold") { folded = frm.layout.folded; } - if(df.reqd && !frappe.model.has_value(doc.doctype, doc.name, df.fieldname)) { + if (df.reqd && !frappe.model.has_value(doc.doctype, doc.name, df.fieldname)) { has_errors = true; error_fields[error_fields.length] = __(df.label); // scroll to field - if(!me.scroll_set) { + if (!me.scroll_set) { scroll_to(doc.parentfield || df.fieldname); } - if(folded) { + if (folded) { frm.layout.unfold(); folded = false; } @@ -133,8 +133,8 @@ frappe.ui.form.save = function(frm, action, callback, btn) { } }); - if(error_fields.length) { - if(doc.parenttype) { + if (error_fields.length) { + if (doc.parenttype) { var message = __('Mandatory fields required in table {0}, Row {1}', [__(frappe.meta.docfield_map[doc.parenttype][doc.parentfield].label).bold(), doc.idx]); } else { @@ -142,7 +142,7 @@ frappe.ui.form.save = function(frm, action, callback, btn) { } message = message + '

    • ' + error_fields.join('
    • ') + "
    "; - msgprint({ + frappe.msgprint({ message: message, indicator: 'red', title: __('Missing Fields') @@ -153,15 +153,15 @@ frappe.ui.form.save = function(frm, action, callback, btn) { return !has_errors; }; - var scroll_to = function(fieldname) { + var scroll_to = function (fieldname) { var f = cur_frm.fields_dict[fieldname]; - if(f) { + if (f) { $(document).scrollTop($(f.wrapper).offset().top - 60); } frm.scroll_set = true; }; - var _call = function(opts) { + var _call = function (opts) { // opts = { // method: "some server method", // args: {args to be passed}, @@ -170,7 +170,7 @@ frappe.ui.form.save = function(frm, action, callback, btn) { // } $(opts.btn).prop("disabled", true); - if(frappe.ui.form.is_saving) { + if (frappe.ui.form.is_saving) { // this is likely to happen if the user presses the shortcut cmd+s for a longer duration or uses double click // no need to show this to user, as they can see "Saving" in freeze message console.log("Already saving. Please wait a few moments.") @@ -184,49 +184,50 @@ frappe.ui.form.save = function(frm, action, callback, btn) { method: opts.method, args: opts.args, btn: opts.btn, - callback: function(r) { + callback: function (r) { opts.callback && opts.callback(r); }, - always: function(r) { + always: function (r) { frappe.ui.form.is_saving = false; - if(r) { + if (r) { var doc = r.docs && r.docs[0]; - if(doc) { + if (doc) { frappe.ui.form.update_calling_link(doc); - } + } } } }) }; - if(action==="cancel") { + if (action === "cancel") { cancel(); } else { save(); } } -frappe.ui.form.update_calling_link = function(newdoc) { - if(frappe._from_link && newdoc.doctype===frappe._from_link.df.options) { +frappe.ui.form.update_calling_link = function (newdoc) { + if (frappe._from_link && newdoc.doctype === frappe._from_link.df.options) { var doc = frappe.get_doc(frappe._from_link.doctype, frappe._from_link.docname); // set value - if (doc && doc.parentfield){ + if (doc && doc.parentfield) { //update values for child table - $.each(frappe._from_link.frm.fields_dict[doc.parentfield].grid.grid_rows, function(index, field) { - if(field.doc && field.doc.name===frappe._from_link.docname){ + $.each(frappe._from_link.frm.fields_dict[doc.parentfield].grid.grid_rows, function (index, field) { + if (field.doc && field.doc.name === frappe._from_link.docname) { frappe._from_link.set_value(newdoc.name); - }}); + } + }); } else { frappe._from_link.set_value(newdoc.name); - } + } // refresh field frappe._from_link.refresh(); // if from form, switch - if(frappe._from_link.frm) { + if (frappe._from_link.frm) { frappe.set_route("Form", frappe._from_link.frm.doctype, frappe._from_link.frm.docname); - setTimeout(function() { frappe.utils.scroll_to(frappe._from_link_scrollY); }, 100); + setTimeout(function () { frappe.utils.scroll_to(frappe._from_link_scrollY); }, 100); } frappe._from_link = null; diff --git a/frappe/public/js/frappe/form/script_manager.js b/frappe/public/js/frappe/form/script_manager.js index 146ec25a8e..ad34dcc6a7 100644 --- a/frappe/public/js/frappe/form/script_manager.js +++ b/frappe/public/js/frappe/form/script_manager.js @@ -70,9 +70,11 @@ frappe.ui.form.ScriptManager = Class.extend({ var me = this; doctype = doctype || this.frm.doctype; name = name || this.frm.docname; - handlers = this.get_handlers(event_name, doctype, name, callback); + var handlers = this.get_handlers(event_name, doctype, name, callback); if(callback) handlers.push(callback); + this.frm.selected_doc = frappe.get_doc(doctype, name); + return $.when.apply($, $.map(handlers, function(fn) { return fn(); })); }, get_handlers: function(event_name, doctype, name, callback) { @@ -114,8 +116,8 @@ frappe.ui.form.ScriptManager = Class.extend({ } function setup_add_fetch(df) { - if((in_list(['Data', 'Read Only', 'Text', 'Small Text', - 'Text Editor', 'Code'], df.fieldtype) || df.read_only==1) + if((['Data', 'Read Only', 'Text', 'Small Text', + 'Text Editor', 'Code'].includes(df.fieldtype) || df.read_only==1) && df.options && df.options.indexOf(".")!=-1) { var parts = df.options.split("."); me.frm.add_fetch(parts[0], parts[1], df.fieldname); @@ -138,7 +140,7 @@ frappe.ui.form.ScriptManager = Class.extend({ this.trigger('setup'); }, log_error: function(caller, e) { - show_alert("Error in Client Script."); + frappe.show_alert("Error in Client Script."); console.group && console.group(); console.log("----- error in client script -----"); console.log("method: " + caller); @@ -187,11 +189,16 @@ frappe.ui.form.ScriptManager = Class.extend({ } }, copy_from_first_row: function(parentfield, current_row, fieldnames) { - var doclist = this.frm.doc[parentfield]; - if(doclist.length===1 || doclist[0]===current_row) return; + var data = this.frm.doc[parentfield]; + if(data.length===1 || data[0]===current_row) return; + + if(typeof fieldnames==='string') { + fieldnames = [fieldnames]; + } $.each(fieldnames, function(i, fieldname) { - current_row[fieldname] = doclist[0][fieldname]; + frappe.model.set_value(current_row.doctype, current_row.name, fieldname, + data[0][fieldname]); }); } }); diff --git a/frappe/public/js/frappe/form/share.js b/frappe/public/js/frappe/form/share.js index 41f811953f..828ea69ede 100644 --- a/frappe/public/js/frappe/form/share.js +++ b/frappe/public/js/frappe/form/share.js @@ -117,7 +117,7 @@ frappe.ui.form.Share = Class.extend({ options: "User", filters: { "user_type": "System User", - "name": ["!=", user] + "name": ["!=", frappe.session.user] } }, only_input: true, @@ -163,7 +163,7 @@ frappe.ui.form.Share = Class.extend({ $(d.body).find(".edit-share").on("click", function() { var user = $(this).parents(".shared-user:first").attr("data-user") || "", value = $(this).prop("checked") ? 1 : 0, - property = $(this).attr("name") + property = $(this).attr("name"), everyone = cint($(this).parents(".shared-user:first").attr("data-everyone")); frappe.call({ diff --git a/frappe/public/js/frappe/form/sidebar.js b/frappe/public/js/frappe/form/sidebar.js index 080e6cd898..6da3c6f8d8 100644 --- a/frappe/public/js/frappe/form/sidebar.js +++ b/frappe/public/js/frappe/form/sidebar.js @@ -58,10 +58,10 @@ frappe.ui.form.Sidebar = Class.extend({ this.frm.tags && this.frm.tags.refresh(this.frm.doc._user_tags); this.sidebar.find(".modified-by").html(__("{0} edited this {1}", ["" + frappe.user.full_name(this.frm.doc.modified_by) + "", - "
    " + comment_when(this.frm.doc.modified)])); + "
    " + comment_when(this.frm.doc.modified)])); this.sidebar.find(".created-by").html(__("{0} created this {1}", ["" + frappe.user.full_name(this.frm.doc.owner) + "", - "
    " + comment_when(this.frm.doc.creation)])); + "
    " + comment_when(this.frm.doc.creation)])); this.refresh_like(); this.setup_ratings(); @@ -151,11 +151,11 @@ frappe.ui.form.Sidebar = Class.extend({ }, setup_ratings: function() { - _ratings = this.frm.get_docinfo().rating || 0; + var _ratings = this.frm.get_docinfo().rating || 0; if(_ratings) { this.ratings.removeClass("hide"); - rating_icons = frappe.render_template("rating_icons", {rating: _ratings, show_label: false}); + var rating_icons = frappe.render_template("rating_icons", {rating: _ratings, show_label: false}); this.ratings.find(".rating-icons").html(rating_icons); } } diff --git a/frappe/public/js/frappe/form/templates/grid_body.html b/frappe/public/js/frappe/form/templates/grid_body.html index d74667d4df..a510b48ea4 100644 --- a/frappe/public/js/frappe/form/templates/grid_body.html +++ b/frappe/public/js/frappe/form/templates/grid_body.html @@ -12,10 +12,10 @@ + {%= __("Add Row") %}
    '+ __("New Email Account") +'') .appendTo($dropdown) } - accounts = frappe.boot.email_accounts; + var accounts = frappe.boot.email_accounts; accounts.forEach(function(account) { - email_account = (account.email_id == "All Accounts")? "All Accounts": account.email_account; + var email_account = (account.email_id == "All Accounts")? "All Accounts": account.email_account; var route = ["List", "Communication", "Inbox", email_account].join('/'); if(!divider) { $('').appendTo($dropdown); @@ -318,9 +318,9 @@ frappe.views.ListSidebar = Class.extend({ me.defined_category = r.message; if (r.message.defined_cat ){ me.defined_category = r.message.defined_cat - me.cats = {}; + me.cats = {}; //structure the tag categories - for (i in me.defined_category){ + for (var i in me.defined_category){ if (me.cats[me.defined_category[i].category]===undefined){ me.cats[me.defined_category[i].category]=[me.defined_category[i].tag]; }else{ diff --git a/frappe/public/js/frappe/list/list_view.js b/frappe/public/js/frappe/list/list_view.js index e673a297c4..ac0edf2e49 100644 --- a/frappe/public/js/frappe/list/list_view.js +++ b/frappe/public/js/frappe/list/list_view.js @@ -302,7 +302,7 @@ frappe.views.ListView = frappe.ui.BaseList.extend({ set_filters: function (filters) { var me = this; $.each(filters, function (i, f) { - hidden = false + var hidden = false if (f.length === 3) { f = [me.doctype, f[0], f[1], f[2]] } else if (f.length === 5) { @@ -377,7 +377,7 @@ frappe.views.ListView = frappe.ui.BaseList.extend({ if (this.list_renderer.settings.list_view_doc) { this.list_renderer.settings.list_view_doc(this); } else { - doctype = this.list_renderer.no_result_doctype? this.list_renderer.no_result_doctype: this.doctype + var doctype = this.list_renderer.no_result_doctype? this.list_renderer.no_result_doctype: this.doctype $(this.wrapper).on('click', `button[list_view_doc='${doctype}']`, function () { if (me.list_renderer.make_new_doc) me.list_renderer.make_new_doc() @@ -563,18 +563,18 @@ frappe.views.ListView = frappe.ui.BaseList.extend({ return order_by; }, assigned_to_me: function () { - this.filter_list.add_filter(this.doctype, '_assign', 'like', '%' + user + '%'); + this.filter_list.add_filter(this.doctype, '_assign', 'like', '%' + frappe.session.user + '%'); this.run(); }, liked_by_me: function () { - this.filter_list.add_filter(this.doctype, '_liked_by', 'like', '%' + user + '%'); + this.filter_list.add_filter(this.doctype, '_liked_by', 'like', '%' + frappe.session.user + '%'); this.run(); }, remove_liked_by_me: function () { this.filter_list.get_filter('_liked_by').remove(); }, is_star_filtered: function () { - return this.filter_list.filter_exists(this.doctype, '_liked_by', 'like', '%' + user + '%'); + return this.filter_list.filter_exists(this.doctype, '_liked_by', 'like', '%' + frappe.session.user + '%'); }, init_menu: function () { var me = this; @@ -606,7 +606,7 @@ frappe.views.ListView = frappe.ui.BaseList.extend({ }); }, true); } - if (roles.includes('System Manager')) { + if (frappe.user_roles.includes('System Manager')) { this.page.add_menu_item(__('Role Permissions Manager'), function () { frappe.set_route('permission-manager', { doctype: me.doctype @@ -627,7 +627,7 @@ frappe.views.ListView = frappe.ui.BaseList.extend({ frappe.add_to_desktop(me.doctype, me.doctype); }, true); - if (roles.includes('System Manager') && frappe.boot.developer_mode === 1) { + if (frappe.user_roles.includes('System Manager') && frappe.boot.developer_mode === 1) { // edit doctype this.page.add_menu_item(__('Edit DocType'), function () { frappe.set_route('Form', 'DocType', me.doctype); @@ -683,7 +683,7 @@ frappe.views.ListView = frappe.ui.BaseList.extend({ return !is_submittable || doc.docstatus === 1 || (allow_print_for_cancelled && doc.docstatus == 2) || (allow_print_for_draft && doc.docstatus == 0) || - roles.includes('Administrator') + frappe.user_roles.includes('Administrator') }).map(function (doc) { return doc.name }); @@ -693,7 +693,7 @@ frappe.views.ListView = frappe.ui.BaseList.extend({ }); if (invalid_docs.length >= 1) { - frappe.msgprint('You selected Draft or Cancelled documents') + frappe.msgprint(__('You selected Draft or Cancelled documents')) return; } @@ -708,11 +708,11 @@ frappe.views.ListView = frappe.ui.BaseList.extend({ }); dialog.set_primary_action(__('Print'), function () { - args = dialog.get_values(); + var args = dialog.get_values(); if (!args) return; var default_print_format = locals.DocType[me.doctype].default_print_format; - with_letterhead = args.with_letterhead ? 1 : 0; - print_format = args.print_sel ? args.print_sel : default_print_format; + var with_letterhead = args.with_letterhead ? 1 : 0; + var print_format = args.print_sel ? args.print_sel : default_print_format; var json_string = JSON.stringify(valid_docs); var w = window.open('/api/method/frappe.utils.print_format.download_multi_pdf?' @@ -725,7 +725,7 @@ frappe.views.ListView = frappe.ui.BaseList.extend({ } }); - print_formats = frappe.meta.get_print_formats(me.doctype); + var print_formats = frappe.meta.get_print_formats(me.doctype); dialog.fields_dict.print_sel.$input.empty().add_options(print_formats); dialog.show(); diff --git a/frappe/public/js/frappe/misc/address_and_contact.js b/frappe/public/js/frappe/misc/address_and_contact.js index 14a2195f23..73e1ff0fb7 100644 --- a/frappe/public/js/frappe/misc/address_and_contact.js +++ b/frappe/public/js/frappe/misc/address_and_contact.js @@ -1,6 +1,6 @@ -frappe.provide('frappe.geo') +frappe.provide('frappe.contacts') -$.extend(frappe.geo, { +$.extend(frappe.contacts, { clear_address_and_contact: function(frm) { $(frm.fields_dict['address_html'].wrapper).html(""); frm.fields_dict['contact_html'] && $(frm.fields_dict['contact_html'].wrapper).html(""); diff --git a/frappe/public/js/frappe/misc/common.js b/frappe/public/js/frappe/misc/common.js index 808ae094de..eab3f8e6b2 100644 --- a/frappe/public/js/frappe/misc/common.js +++ b/frappe/public/js/frappe/misc/common.js @@ -30,7 +30,7 @@ frappe.avatar = function(user, css_class, title) { return repl('\ ', { + title="%(title)s">', { image: image, title: title, abbr: user_info.abbr, @@ -93,7 +93,7 @@ frappe.get_gravatar = function(email_id) { function repl(s, dict) { if(s==null)return ''; - for(key in dict) { + for(var key in dict) { s = s.split("%("+key+")s").join(dict[key]); } return s; @@ -162,8 +162,8 @@ function getCookies() { c.match(/(?:^|\s+)([!#$%&'*+\-.0-9A-Z^`a-z|~]+)=([!#$%&'*+\-.0-9A-Z^`a-z|~]*|"(?:[\x20-\x7E\x80\xFF]|\\[\x00-\x7F])*")(?=\s*[,;]|$)/g).map(function($0, $1) { var name = $0, value = $1.charAt(0) === '"' - ? $1.substr(1, -1).replace(/\\(.)/g, "$1") - : $1; + ? $1.substr(1, -1).replace(/\\(.)/g, "$1") + : $1; cookies[name] = value; }); } diff --git a/frappe/public/js/frappe/misc/datetime.js b/frappe/public/js/frappe/misc/datetime.js index 53a9c022bd..b5a445ebdd 100644 --- a/frappe/public/js/frappe/misc/datetime.js +++ b/frappe/public/js/frappe/misc/datetime.js @@ -10,8 +10,8 @@ frappe.provide("frappe.datetime"); $.extend(frappe.datetime, { convert_to_user_tz: function(date, format) { // format defaults to true - if(sys_defaults.time_zone) { - var date_obj = moment.tz(date, sys_defaults.time_zone).local(); + if(frappe.sys_defaults.time_zone) { + var date_obj = moment.tz(date, frappe.sys_defaults.time_zone).local(); } else { var date_obj = moment(date); } @@ -22,8 +22,8 @@ $.extend(frappe.datetime, { convert_to_system_tz: function(date, format) { // format defaults to true - if(sys_defaults.time_zone) { - var date_obj = moment(date).tz(sys_defaults.time_zone); + if(frappe.sys_defaults.time_zone) { + var date_obj = moment(date).tz(frappe.sys_defaults.time_zone); } else { var date_obj = moment(date); } @@ -32,8 +32,8 @@ $.extend(frappe.datetime, { }, is_timezone_same: function() { - if(sys_defaults.time_zone) { - return moment().tz(sys_defaults.time_zone).utcOffset() === moment().utcOffset(); + if(frappe.sys_defaults.time_zone) { + return moment().tz(frappe.sys_defaults.time_zone).utcOffset() === moment().utcOffset(); } else { return true; } @@ -48,7 +48,7 @@ $.extend(frappe.datetime, { }, obj_to_user: function(d) { - return moment(d).format(dateutil.get_user_fmt().toUpperCase()); + return moment(d).format(frappe.datetime.get_user_fmt().toUpperCase()); }, get_diff: function(d1, d2) { @@ -88,12 +88,12 @@ $.extend(frappe.datetime, { }, get_user_fmt: function() { - return sys_defaults.date_format || "yyyy-mm-dd"; + return frappe.sys_defaults.date_format || "yyyy-mm-dd"; }, str_to_user: function(val, no_time_str) { if(!val) return ""; - var user_fmt = dateutil.get_user_fmt().toUpperCase(); + var user_fmt = frappe.datetime.get_user_fmt().toUpperCase(); if(typeof val !== "string" || val.indexOf(" ")===-1) { return moment(val).format(user_fmt); } else { @@ -110,7 +110,7 @@ $.extend(frappe.datetime, { }, user_to_str: function(val, no_time_str) { - var user_fmt = dateutil.get_user_fmt().toUpperCase(); + var user_fmt = frappe.datetime.get_user_fmt().toUpperCase(); var system_fmt = "YYYY-MM-DD"; if(val.indexOf(" ")!==-1) { @@ -124,7 +124,7 @@ $.extend(frappe.datetime, { }, user_to_obj: function(d) { - return dateutil.str_to_obj(dateutil.user_to_str(d)); + return frappe.datetime.str_to_obj(frappe.datetime.user_to_str(d)); }, global_date_format: function(d) { @@ -155,6 +155,18 @@ $.extend(frappe.datetime, { }); -// globals (deprecate) -var date = dateutil = frappe.datetime; -var get_today = frappe.datetime.get_today; +// Proxy for dateutil and get_today +Object.defineProperties(window, { + 'dateutil': { + get: function() { + console.warn('Please use `frappe.datetime` instead of `dateutil`. It will be deprecated soon.'); + return frappe.datetime; + } + }, + 'get_today': { + get: function() { + console.warn('Please use `frappe.datetime.get_today` instead of `get_today`. It will be deprecated soon.'); + return frappe.datetime.get_today; + } + } +}); diff --git a/frappe/public/js/frappe/misc/number_format.js b/frappe/public/js/frappe/misc/number_format.js index fa77b3bbfc..df4925d4fd 100644 --- a/frappe/public/js/frappe/misc/number_format.js +++ b/frappe/public/js/frappe/misc/number_format.js @@ -1,55 +1,55 @@ // Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors // MIT License. See license.txt -if(!window.frappe) window.frappe = {}; +if (!window.frappe) window.frappe = {}; function flt(v, decimals, number_format) { - if(v==null || v=='')return 0; + if (v == null || v == '') return 0; - if(typeof v!=="number") { + if (typeof v !== "number") { v = v + ""; // strip currency symbol if exists - if(v.indexOf(" ")!=-1) { + if (v.indexOf(" ") != -1) { // using slice(1).join(" ") because space could also be a group separator - parts = v.split(" "); + var parts = v.split(" "); v = isNaN(parseFloat(parts[0])) ? parts.slice(parts.length - 1).join(" ") : v; } v = strip_number_groups(v, number_format); - v=parseFloat(v); - if(isNaN(v)) - v=0; + v = parseFloat(v); + if (isNaN(v)) + v = 0; } - if(decimals!=null) + if (decimals != null) return _round(v, decimals); return v; } function cint(v, def) { - if(v===true) + if (v === true) return 1; - if(v===false) + if (v === false) return 0; - v=v+''; - if(v!=="0")v=lstrip(v, ['0']); - v=parseInt(v); - if(isNaN(v))v=def===undefined?0:def; + v = v + ''; + if (v !== "0") v = lstrip(v, ['0']); + v = parseInt(v); + if (isNaN(v)) v = def === undefined ? 0 : def; return v; } function strip_number_groups(v, number_format) { - if(!number_format) number_format = get_number_format(); + if (!number_format) number_format = get_number_format(); var info = get_number_format_info(number_format); // strip groups (,) - var group_regex = new RegExp(info.group_sep==="." ? "\\." : info.group_sep, "g"); + var group_regex = new RegExp(info.group_sep === "." ? "\\." : info.group_sep, "g"); v = v.replace(group_regex, ""); // replace decimal separator with (.) - if (info.decimal_str!=="." && info.decimal_str!=="") { + if (info.decimal_str !== "." && info.decimal_str !== "") { var decimal_regex = new RegExp(info.decimal_str, "g"); v = v.replace(decimal_regex, "."); } @@ -59,32 +59,32 @@ function strip_number_groups(v, number_format) { frappe.number_format_info = { - "#,###.##": {decimal_str:".", group_sep:","}, - "#.###,##": {decimal_str:",", group_sep:"."}, - "# ###.##": {decimal_str:".", group_sep:" "}, - "# ###,##": {decimal_str:",", group_sep:" "}, - "#'###.##": {decimal_str:".", group_sep:"'"}, - "#, ###.##": {decimal_str:".", group_sep:", "}, - "#,##,###.##": {decimal_str:".", group_sep:","}, - "#,###.###": {decimal_str:".", group_sep:","}, - "#.###": {decimal_str:"", group_sep:"."}, - "#,###": {decimal_str:"", group_sep:","}, + "#,###.##": { decimal_str: ".", group_sep: "," }, + "#.###,##": { decimal_str: ",", group_sep: "." }, + "# ###.##": { decimal_str: ".", group_sep: " " }, + "# ###,##": { decimal_str: ",", group_sep: " " }, + "#'###.##": { decimal_str: ".", group_sep: "'" }, + "#, ###.##": { decimal_str: ".", group_sep: ", " }, + "#,##,###.##": { decimal_str: ".", group_sep: "," }, + "#,###.###": { decimal_str: ".", group_sep: "," }, + "#.###": { decimal_str: "", group_sep: "." }, + "#,###": { decimal_str: "", group_sep: "," }, } -window.format_number = function(v, format, decimals){ +window.format_number = function (v, format, decimals) { if (!format) { format = get_number_format(); - if(decimals == null) decimals = cint(frappe.defaults.get_default("float_precision")) || 3; + if (decimals == null) decimals = cint(frappe.defaults.get_default("float_precision")) || 3; } - info = get_number_format_info(format); + var info = get_number_format_info(format); // Fix the decimal first, toFixed will auto fill trailing zero. if (decimals == null) decimals = info.precision; v = flt(v, decimals, format); - if(v<0) var is_negative = true; + if (v < 0) var is_negative = true; v = Math.abs(v); v = v.toFixed(decimals); @@ -98,23 +98,23 @@ window.format_number = function(v, format, decimals){ var integer = part[0]; var str = ''; var offset = integer.length % group_position; - for (var i=integer.length; i>=0; i--) { + for (var i = integer.length; i >= 0; i--) { var l = replace_all(str, info.group_sep, "").length; - if(format=="#,##,###.##" && str.indexOf(",")!=-1) { // INR + if (format == "#,##,###.##" && str.indexOf(",") != -1) { // INR group_position = 2; l += 1; } str += integer.charAt(i); - if (l && !((l+1) % group_position) && i!=0 ) { + if (l && !((l + 1) % group_position) && i != 0) { str += info.group_sep; } } part[0] = str.split("").reverse().join(""); } - if(part[0]+""=="") { - part[0]="0"; + if (part[0] + "" == "") { + part[0] = "0"; } // join decimal @@ -131,18 +131,18 @@ function format_currency(v, currency, decimals) { decimals = frappe.boot.sysdefaults.currency_precision || null; } - if(symbol) + if (symbol) return symbol + " " + format_number(v, format, decimals); else return format_number(v, format, decimals); } function get_currency_symbol(currency) { - if(frappe.boot) { - if(frappe.boot.sysdefaults.hide_currency_symbol=="Yes") + if (frappe.boot) { + if (frappe.boot.sysdefaults.hide_currency_symbol == "Yes") return null; - if(!currency) + if (!currency) currency = frappe.boot.sysdefaults.currency; return frappe.model.get_value(":Currency", currency, "symbol") || currency; @@ -153,14 +153,14 @@ function get_currency_symbol(currency) { } function get_number_format(currency) { - return (frappe.boot && frappe.boot.sysdefaults.number_format) || "#,###.##"; + return (frappe.boot && frappe.boot.sysdefaults && frappe.boot.sysdefaults.number_format) || "#,###.##"; } function get_number_format_info(format) { var info = frappe.number_format_info[format]; - if(!info) { - info = {decimal_str:".", group_sep:","}; + if (!info) { + info = { decimal_str: ".", group_sep: "," }; } // get the precision from the number format @@ -171,13 +171,13 @@ function get_number_format_info(format) { function _round(num, precision) { var is_negative = num < 0 ? true : false; - var d = cint(precision); - var m = Math.pow(10, d); - var n = +(d ? Math.abs(num) * m : Math.abs(num)).toFixed(8); // Avoid rounding errors - var i = Math.floor(n), f = n - i; - var r = ((!precision && f == 0.5) ? ((i % 2 == 0) ? i : i + 1) : Math.round(n)); - r = d ? r / m : r; - return is_negative ? -r : r; + var d = cint(precision); + var m = Math.pow(10, d); + var n = +(d ? Math.abs(num) * m : Math.abs(num)).toFixed(8); // Avoid rounding errors + var i = Math.floor(n), f = n - i; + var r = ((!precision && f == 0.5) ? ((i % 2 == 0) ? i : i + 1) : Math.round(n)); + r = d ? r / m : r; + return is_negative ? -r : r; } @@ -187,23 +187,31 @@ function roundNumber(num, precision) { } function precision(fieldname, doc) { - if(cur_frm){ - if(!doc) doc = cur_frm.doc; + if (cur_frm) { + if (!doc) doc = cur_frm.doc; var df = frappe.meta.get_docfield(doc.doctype, fieldname, doc.parent || doc.name); - if(!df) console.log(fieldname + ": could not find docfield in method precision()"); + if (!df) console.log(fieldname + ": could not find docfield in method precision()"); return frappe.meta.get_field_precision(df, doc); - }else{ + } else { return frappe.boot.sysdefaults.float_precision } } function in_list(list, item) { - if(!list) return false; - for(var i=0, j=list.length; i (smallest_currency_fraction_value / 2)) { + if (remainder_val > (smallest_currency_fraction_value / 2)) { value += (smallest_currency_fraction_value - remainder_val); } else { value -= remainder_val; @@ -231,4 +239,4 @@ function round_based_on_smallest_currency_fraction(value, currency, precision) { value = Math.round(value); } return value; -}; +} diff --git a/frappe/public/js/frappe/misc/pretty_date.js b/frappe/public/js/frappe/misc/pretty_date.js index 7ec4c42ec1..faeb22f01b 100644 --- a/frappe/public/js/frappe/misc/pretty_date.js +++ b/frappe/public/js/frappe/misc/pretty_date.js @@ -1,28 +1,28 @@ // moment strings for translation -function prettyDate(time, mini){ - if(!time) { +function prettyDate(time, mini) { + if (!time) { time = new Date(); } - if(moment) { - if(window.sys_defaults && sys_defaults.time_zone) { - var ret = moment.tz(time, sys_defaults.time_zone).locale(frappe.boot.lang).fromNow(mini); + if (moment) { + if (frappe.sys_defaults && frappe.sys_defaults.time_zone) { + var ret = moment.tz(time, frappe.sys_defaults.time_zone).locale(frappe.boot.lang).fromNow(mini); } else { var ret = moment(time).locale(frappe.boot.lang).fromNow(mini); } - if(mini) { - if(ret === moment().locale(frappe.boot.lang).fromNow(mini)) { + if (mini) { + if (ret === moment().locale(frappe.boot.lang).fromNow(mini)) { ret = __("now"); } else { var parts = ret.split(" "); - if(parts.length > 1) { - if(parts[0]==="a" || parts[0]==="an") { + if (parts.length > 1) { + if (parts[0] === "a" || parts[0] === "an") { parts[0] = 1; } - if(parts[1].substr(0, 2)==="mo"){ + if (parts[1].substr(0, 2) === "mo") { ret = parts[0] + " M"; } else { - ret = parts[0] + " " + parts[1].substr(0, 1); + ret = parts[0] + " " + parts[1].substr(0, 1); } } } @@ -30,48 +30,50 @@ function prettyDate(time, mini){ } return ret; } else { - if(!time) return '' + if (!time) return '' var date = time; - if(typeof(time)=="string") - date = new Date((time || "").replace(/-/g,"/").replace(/[TZ]/g," ").replace(/\.[0-9]*/, "")); + if (typeof (time) == "string") + date = new Date((time || "").replace(/-/g, "/").replace(/[TZ]/g, " ").replace(/\.[0-9]*/, "")); var diff = (((new Date()).getTime() - date.getTime()) / 1000), - day_diff = Math.floor(diff / 86400); + day_diff = Math.floor(diff / 86400); - if ( isNaN(day_diff) || day_diff < 0 ) + if (isNaN(day_diff) || day_diff < 0) return ''; - return when = day_diff == 0 && ( - diff < 60 && __("just now") || - diff < 120 && __("1 minute ago") || - diff < 3600 && __("{0} minutes ago", [Math.floor( diff / 60 )]) || - diff < 7200 && __("1 hour ago") || - diff < 86400 && ("{0} hours ago", [Math.floor( diff / 3600 )])) || + var when = day_diff == 0 && ( + diff < 60 && __("just now") || + diff < 120 && __("1 minute ago") || + diff < 3600 && __("{0} minutes ago", [Math.floor(diff / 60)]) || + diff < 7200 && __("1 hour ago") || + diff < 86400 && ("{0} hours ago", [Math.floor(diff / 3600)])) || day_diff == 1 && __("Yesterday") || day_diff < 7 && __("{0} days ago", day_diff) || - day_diff < 31 && __("{0} weeks ago", [Math.ceil( day_diff / 7 )]) || - day_diff < 365 && __("{0} months ago", [Math.ceil( day_diff / 30)]) || - __("> {0} year(s) ago", [Math.floor( day_diff / 365 )]); + day_diff < 31 && __("{0} weeks ago", [Math.ceil(day_diff / 7)]) || + day_diff < 365 && __("{0} months ago", [Math.ceil(day_diff / 30)]) || + __("> {0} year(s) ago", [Math.floor(day_diff / 365)]); + + return when; } } -var comment_when = function(datetime, mini) { +var comment_when = function (datetime, mini) { var timestamp = frappe.datetime.str_to_user ? frappe.datetime.str_to_user(datetime) : datetime; return '' + + (mini ? " mini" : "") + '" data-timestamp="' + datetime + + '" title="' + timestamp + '">' + prettyDate(datetime, mini) + ''; }; frappe.provide("frappe.datetime"); -frappe.datetime.refresh_when = function() { - if(jQuery) { - $(".frappe-timestamp").each(function() { +frappe.datetime.refresh_when = function () { + if (jQuery) { + $(".frappe-timestamp").each(function () { $(this).html(prettyDate($(this).attr("data-timestamp"), $(this).hasClass("mini"))); }); } } -setInterval(function() { frappe.datetime.refresh_when() }, 60000); // refresh every minute +setInterval(function () { frappe.datetime.refresh_when() }, 60000); // refresh every minute diff --git a/frappe/public/js/frappe/misc/tools.js b/frappe/public/js/frappe/misc/tools.js index 1414a5eee6..5e4ffc32e3 100644 --- a/frappe/public/js/frappe/misc/tools.js +++ b/frappe/public/js/frappe/misc/tools.js @@ -5,7 +5,7 @@ frappe.provide("frappe.tools"); frappe.tools.downloadify = function(data, roles, title) { if(roles && roles.length && !has_common(roles, roles)) { - msgprint(__("Export not allowed. You need {0} role to export.", [frappe.utils.comma_or(roles)])); + frappe.msgprint(__("Export not allowed. You need {0} role to export.", [frappe.utils.comma_or(roles)])); return; } diff --git a/frappe/public/js/frappe/misc/user.js b/frappe/public/js/frappe/misc/user.js index cc42a2f6ba..ee97b6889d 100644 --- a/frappe/public/js/frappe/misc/user.js +++ b/frappe/public/js/frappe/misc/user.js @@ -5,7 +5,7 @@ frappe.user_info = function(uid) { if(!uid) - uid = user; + uid = frappe.session.user; if(uid.toLowerCase()==="bot") { return { @@ -57,7 +57,7 @@ frappe.provide('frappe.user'); $.extend(frappe.user, { name: 'Guest', full_name: function(uid) { - return uid===user ? + return uid === frappe.session.user ? __("You") : frappe.user_info(uid).fullname; }, @@ -77,35 +77,29 @@ $.extend(frappe.user, { }, get_desktop_items: function() { // hide based on permission - modules_list = $.map(frappe.boot.desktop_icons, function(icon) { + var modules_list = $.map(frappe.boot.desktop_icons, function(icon) { var m = icon.module_name; var type = frappe.modules[m] && frappe.modules[m].type; if(frappe.boot.user.allow_modules.indexOf(m) === -1) return null; var ret = null; - switch(type) { - case "module": - if(frappe.boot.user.allow_modules.indexOf(m)!=-1 || frappe.modules[m].is_help) - ret = m; - break; - case "page": - if(frappe.boot.allowed_pages.indexOf(frappe.modules[m].link)!=-1) - ret = m; - break; - case "list": - if(frappe.model.can_read(frappe.modules[m]._doctype)) - ret = m; - break; - case "view": + if (type === "module") { + if(frappe.boot.user.allow_modules.indexOf(m)!=-1 || frappe.modules[m].is_help) ret = m; - break; - case "setup": - if(frappe.user.has_role("System Manager") || frappe.user.has_role("Administrator")) - ret = m; - break; - default: + } else if (type === "page") { + if(frappe.boot.allowed_pages.indexOf(frappe.modules[m].link)!=-1) ret = m; + } else if (type === "list") { + if(frappe.model.can_read(frappe.modules[m]._doctype)) + ret = m; + } else if (type === "view") { + ret = m; + } else if (type === "setup") { + if(frappe.user.has_role("System Manager") || frappe.user.has_role("Administrator")) + ret = m; + } else { + ret = m; } return ret; @@ -147,6 +141,19 @@ $.extend(frappe.user, { quote: quote }); } + }, + + /* Normally frappe.user is an object + * having properties and methods. + * But in the following case + * + * if (frappe.user === 'Administrator') + * + * frappe.user will cast to a string + * returning frappe.user.name + */ + toString: function() { + return this.name; } }); diff --git a/frappe/public/js/frappe/misc/utils.js b/frappe/public/js/frappe/misc/utils.js index 3cf3bca475..aee81ce30f 100644 --- a/frappe/public/js/frappe/misc/utils.js +++ b/frappe/public/js/frappe/misc/utils.js @@ -5,13 +5,13 @@ frappe.provide('frappe.utils'); frappe.utils = { get_random: function(len) { - var text = ""; - var possible = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz"; + var text = ""; + var possible = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz"; - for( var i=0; i < len; i++ ) - text += possible.charAt(Math.floor(Math.random() * possible.length)); + for( var i=0; i < len; i++ ) + text += possible.charAt(Math.floor(Math.random() * possible.length)); - return text; + return text; }, get_file_link: function(filename) { filename = cstr(filename); @@ -122,7 +122,7 @@ frappe.utils = { return [dict[filters]] } $.each(dict, function(i, d) { - for(key in filters) { + for(var key in filters) { if($.isArray(filters[key])) { if(filters[key][0]=="in") { if(filters[key][1].indexOf(d[key])==-1) @@ -242,7 +242,6 @@ frappe.utils = { break; default: return false; - break; } // test regExp if not null @@ -288,7 +287,7 @@ frappe.utils = { }; if(!compare_type) - compare_type = typeof list[0][key]==="string" ? "string" : "number"; + compare_type = typeof list[0][key]==="string" ? "string" : "number"; list.sort(sort_fn[compare_type]); @@ -349,20 +348,20 @@ frappe.utils = { if (!arr1 || !arr2) { return false; } - if (arr1.length != arr2.length) { + if (arr1.length != arr2.length) { return false; } - for (var i = 0; i < arr1.length; i++) { - if ($.isArray(arr1[i])) { - if (!frappe.utils.arrays_equal(arr1[i], arr2[i])) { + for (var i = 0; i < arr1.length; i++) { + if ($.isArray(arr1[i])) { + if (!frappe.utils.arrays_equal(arr1[i], arr2[i])) { return false; } - } - else if (arr1[i] !== arr2[i]) { + } + else if (arr1[i] !== arr2[i]) { return false; } - } - return true; + } + return true; }, intersection: function(a, b) { @@ -411,13 +410,13 @@ frappe.utils = { var tempH = tempImg.height; if (tempW > tempH) { if (tempW > max_width) { - tempH *= max_width / tempW; - tempW = max_width; + tempH *= max_width / tempW; + tempW = max_width; } } else { if (tempH > max_height) { - tempW *= max_height / tempH; - tempH = max_height; + tempW *= max_height / tempH; + tempH = max_height; } } @@ -431,91 +430,91 @@ frappe.utils = { } }, - csv_to_array: function (strData, strDelimiter) { - // Check to see if the delimiter is defined. If not, - // then default to comma. - strDelimiter = (strDelimiter || ","); + csv_to_array: function (strData, strDelimiter) { + // Check to see if the delimiter is defined. If not, + // then default to comma. + strDelimiter = (strDelimiter || ","); - // Create a regular expression to parse the CSV values. - var objPattern = new RegExp( - ( - // Delimiters. - "(\\" + strDelimiter + "|\\r?\\n|\\r|^)" + + // Create a regular expression to parse the CSV values. + var objPattern = new RegExp( + ( + // Delimiters. + "(\\" + strDelimiter + "|\\r?\\n|\\r|^)" + - // Quoted fields. - "(?:\"([^\"]*(?:\"\"[^\"]*)*)\"|" + + // Quoted fields. + "(?:\"([^\"]*(?:\"\"[^\"]*)*)\"|" + - // Standard fields. - "([^\"\\" + strDelimiter + "\\r\\n]*))" - ), - "gi" - ); + // Standard fields. + "([^\"\\" + strDelimiter + "\\r\\n]*))" + ), + "gi" + ); - // Create an array to hold our data. Give the array - // a default empty first row. - var arrData = [[]]; + // Create an array to hold our data. Give the array + // a default empty first row. + var arrData = [[]]; - // Create an array to hold our individual pattern - // matching groups. - var arrMatches = null; + // Create an array to hold our individual pattern + // matching groups. + var arrMatches = null; - // Keep looping over the regular expression matches - // until we can no longer find a match. - while (arrMatches = objPattern.exec( strData )){ + // Keep looping over the regular expression matches + // until we can no longer find a match. + while ((arrMatches = objPattern.exec( strData ))){ - // Get the delimiter that was found. - var strMatchedDelimiter = arrMatches[ 1 ]; + // Get the delimiter that was found. + var strMatchedDelimiter = arrMatches[ 1 ]; - // Check to see if the given delimiter has a length - // (is not the start of string) and if it matches - // field delimiter. If id does not, then we know - // that this delimiter is a row delimiter. - if ( - strMatchedDelimiter.length && - strMatchedDelimiter !== strDelimiter - ){ + // Check to see if the given delimiter has a length + // (is not the start of string) and if it matches + // field delimiter. If id does not, then we know + // that this delimiter is a row delimiter. + if ( + strMatchedDelimiter.length && + strMatchedDelimiter !== strDelimiter + ){ - // Since we have reached a new row of data, - // add an empty row to our data array. - arrData.push( [] ); + // Since we have reached a new row of data, + // add an empty row to our data array. + arrData.push( [] ); - } + } - var strMatchedValue; + var strMatchedValue; - // Now that we have our delimiter out of the way, - // let's check to see which kind of value we - // captured (quoted or unquoted). - if (arrMatches[ 2 ]){ + // Now that we have our delimiter out of the way, + // let's check to see which kind of value we + // captured (quoted or unquoted). + if (arrMatches[ 2 ]){ - // We found a quoted value. When we capture - // this value, unescape any double quotes. - strMatchedValue = arrMatches[ 2 ].replace( - new RegExp( "\"\"", "g" ), - "\"" - ); + // We found a quoted value. When we capture + // this value, unescape any double quotes. + strMatchedValue = arrMatches[ 2 ].replace( + new RegExp( "\"\"", "g" ), + "\"" + ); - } else { + } else { - // We found a non-quoted value. - strMatchedValue = arrMatches[ 3 ]; + // We found a non-quoted value. + strMatchedValue = arrMatches[ 3 ]; - } + } - // Now that we have our value string, let's add - // it to the data array. - arrData[ arrData.length - 1 ].push( strMatchedValue ); - } + // Now that we have our value string, let's add + // it to the data array. + arrData[ arrData.length - 1 ].push( strMatchedValue ); + } - // Return the parsed data. - return( arrData ); - }, + // Return the parsed data. + return( arrData ); + }, warn_page_name_change: function(frm) { - frappe.msgprint("Note: Changing the Page Name will break previous URL to this page."); + frappe.msgprint(__("Note: Changing the Page Name will break previous URL to this page.")); }, notify: function(subject, body, route, onclick) { @@ -588,42 +587,42 @@ frappe.utils = { // String.prototype.includes polyfill // https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Global_Objects/String/includes if (!String.prototype.includes) { - String.prototype.includes = function(search, start) { - 'use strict'; - if (typeof start !== 'number') { - start = 0; - } - if (start + search.length > this.length) { - return false; - } else { - return this.indexOf(search, start) !== -1; - } - }; + String.prototype.includes = function (search, start) { + 'use strict'; + if (typeof start !== 'number') { + start = 0; + } + if (start + search.length > this.length) { + return false; + } else { + return this.indexOf(search, start) !== -1; + } + }; } // Array.prototype.includes polyfill // https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Global_Objects/Array/includes if (!Array.prototype.includes) { - Object.defineProperty(Array.prototype, 'includes', { - value: function(searchElement, fromIndex) { - if (this == null) { - throw new TypeError('"this" is null or not defined'); - } - var o = Object(this); - var len = o.length >>> 0; - if (len === 0) { - return false; - } - var n = fromIndex | 0; - var k = Math.max(n >= 0 ? n : len - Math.abs(n), 0); - while (k < len) { - if (o[k] === searchElement) { - return true; - } - k++; - } - return false; - } - }); + Object.defineProperty(Array.prototype, 'includes', { + value: function(searchElement, fromIndex) { + if (this == null) { + throw new TypeError('"this" is null or not defined'); + } + var o = Object(this); + var len = o.length >>> 0; + if (len === 0) { + return false; + } + var n = fromIndex | 0; + var k = Math.max(n >= 0 ? n : len - Math.abs(n), 0); + while (k < len) { + if (o[k] === searchElement) { + return true; + } + k++; + } + return false; + } + }); } // Array de duplicate if (!Array.prototype.uniqBy) { diff --git a/frappe/public/js/frappe/model/create_new.js b/frappe/public/js/frappe/model/create_new.js index be1ec9bb4f..2448734dbe 100644 --- a/frappe/public/js/frappe/model/create_new.js +++ b/frappe/public/js/frappe/model/create_new.js @@ -15,7 +15,7 @@ $.extend(frappe.model, { name: frappe.model.get_new_name(doctype), __islocal: 1, __unsaved: 1, - owner: user + owner: frappe.session.user }; frappe.model.set_default_values(doc, parent_doc); @@ -103,7 +103,8 @@ $.extend(frappe.model, { updated.push(f.fieldname); } else if(f.fieldtype == "Select" && f.options && typeof f.options === 'string' && !in_list(["[Select]", "Loading..."], f.options)) { - doc[f.fieldname] = f.options.split("\n")[0]; + + doc[f.fieldname] = f.options.split("\n")[0]; } } } @@ -140,7 +141,7 @@ $.extend(frappe.model, { if(!df.ignore_user_permissions) { // 2 - look in user defaults - user_defaults = frappe.defaults.get_user_defaults(df.options); + var user_defaults = frappe.defaults.get_user_defaults(df.options); if (user_defaults && user_defaults.length===1) { // Use User Permission value when only when it has a single value user_default = user_defaults[0]; @@ -171,13 +172,13 @@ $.extend(frappe.model, { return frappe.session.user; } else if (df["default"] == "user_fullname") { - return user_fullname; + return frappe.session.user_fullname; } else if (df["default"] == "Today") { - return dateutil.get_today(); + return frappe.datetime.get_today(); } else if ((df["default"] || "").toLowerCase() === "now") { - return dateutil.now_datetime(); + return frappe.datetime.now_datetime(); } else if (df["default"][0]===":") { var boot_doc = frappe.model.get_default_from_boot_docs(df, doc, parent_doc); @@ -198,7 +199,7 @@ $.extend(frappe.model, { } } else if (df.fieldtype=="Time") { - return dateutil.now_time(); + return frappe.datetime.now_time(); } }, @@ -252,21 +253,24 @@ $.extend(frappe.model, { // dont copy name and blank fields var df = frappe.meta.get_docfield(doc.doctype, key); - if(df && key.substr(0,2)!='__' + if (df && key.substr(0, 2) != '__' && !in_list(no_copy_list, key) - && !(df && (!from_amend && cint(df.no_copy)==1))) { - var value = doc[key] || []; - if(df.fieldtype==="Table") { - for(var i=0, j=value.length; i icon - for(key in perm) { + for(var key in perm) { if(key!='parent' && key!='permlevel') { if(perm[key]) { perm[key] = ''; diff --git a/frappe/public/js/frappe/router.js b/frappe/public/js/frappe/router.js index 3f6ddba9b8..7a58076a60 100644 --- a/frappe/public/js/frappe/router.js +++ b/frappe/public/js/frappe/router.js @@ -120,7 +120,7 @@ frappe.set_route = function() { if(params.length===1 && $.isArray(params[0])) { params = params[0]; } - route = $.map(params, function(a) { + var route = $.map(params, function(a) { if($.isPlainObject(a)) { frappe.route_options = a; return null; diff --git a/frappe/public/js/frappe/socketio_client.js b/frappe/public/js/frappe/socketio_client.js index f3b028cca9..c8af253bed 100644 --- a/frappe/public/js/frappe/socketio_client.js +++ b/frappe/public/js/frappe/socketio_client.js @@ -18,7 +18,7 @@ frappe.socket = { //Enable secure option when using HTTPS if (window.location.protocol == "https:") { - frappe.socket.socket = io.connect(frappe.socket.get_host(), {secure: true}); + frappe.socket.socket = io.connect(frappe.socket.get_host(), {secure: true}); } else if (window.location.protocol == "http:") { frappe.socket.socket = io.connect(frappe.socket.get_host()); diff --git a/frappe/public/js/frappe/toolbar.js b/frappe/public/js/frappe/toolbar.js index 3e712c40c9..55f8dc2f2e 100755 --- a/frappe/public/js/frappe/toolbar.js +++ b/frappe/public/js/frappe/toolbar.js @@ -56,8 +56,8 @@ frappe.get_form_sidebar_extension = function() { var template = ''; + {{ usage.total }}MB ({{ usage.total_used_percent }}%) used\ + '; usage.sidebar_usage_html = frappe.render(template, { 'usage': usage }, "form_sidebar_usage"); } else { diff --git a/frappe/public/js/frappe/translate.js b/frappe/public/js/frappe/translate.js index 7a54bde034..bc9acd497f 100644 --- a/frappe/public/js/frappe/translate.js +++ b/frappe/public/js/frappe/translate.js @@ -8,7 +8,7 @@ frappe._ = function(txt, replace) { return txt; if(typeof(txt) != "string") return txt; - ret = frappe._messages[txt.replace(/\n/g, "")] || txt; + var ret = frappe._messages[txt.replace(/\n/g, "")] || txt; if(replace && typeof(replace) === "object") { ret = $.format(ret, replace); } diff --git a/frappe/public/js/frappe/ui/base_list.js b/frappe/public/js/frappe/ui/base_list.js index d28e040ecf..6547c4baa7 100644 --- a/frappe/public/js/frappe/ui/base_list.js +++ b/frappe/public/js/frappe/ui/base_list.js @@ -173,7 +173,7 @@ frappe.ui.BaseList = Class.extend({ // default filter for submittable doctype if (frappe.model.is_submittable(this.doctype)) { this.filter_list.add_filter(this.doctype, "docstatus", "!=", 2); - }; + } }, clear: function () { @@ -185,9 +185,11 @@ frappe.ui.BaseList = Class.extend({ this.onreset && this.onreset(); }, - set_filters_from_route_options: function () { + set_filters_from_route_options: function ({clear_filters=true} = {}) { var me = this; - this.filter_list.clear_filters(); + if(clear_filters) { + this.filter_list.clear_filters(); + } for(var field in frappe.route_options) { var value = frappe.route_options[field]; diff --git a/frappe/public/js/frappe/ui/charts.js b/frappe/public/js/frappe/ui/charts.js index 776e35fdb3..054f1bdc36 100644 --- a/frappe/public/js/frappe/ui/charts.js +++ b/frappe/public/js/frappe/ui/charts.js @@ -18,8 +18,8 @@ frappe.ui.Chart = Class.extend({ if(this.opts.data && ((this.opts.data.columns && this.opts.data.columns.length >= 1) || (this.opts.data.rows && this.opts.data.rows.length >= 1))) { - this.chart = this.render_chart(); - this.show_chart(true); + this.chart = this.render_chart(); + this.show_chart(true); } return this.chart; @@ -28,11 +28,11 @@ frappe.ui.Chart = Class.extend({ render_chart: function() { var chart_dict = { bindto: '#' + this.opts.bind_to, - data: {}, + data: {}, axis: { - x: { - type: this.opts.x_type || 'category' // this needed to load string x value - }, + x: { + type: this.opts.x_type || 'category' // this needed to load string x value + }, y: { padding: { bottom: 10 } } @@ -62,11 +62,11 @@ frappe.ui.Chart = Class.extend({ chart_dict.axis.x.tick.culling = {max: 15}; chart_dict.axis.x.tick.format = frappe.boot.sysdefaults.date_format .replace('yyyy', '%Y').replace('mm', '%m').replace('dd', '%d'); - }; + } // set color if(!chart_dict.data.colors && chart_dict.data.columns) { - colors = ['#4E50A6', '#7679FB', '#A3A5FC', '#925191', '#5D3EA4', '#8D5FFA', + var colors = ['#4E50A6', '#7679FB', '#A3A5FC', '#925191', '#5D3EA4', '#8D5FFA', '#5E3AA8', '#7B933D', '#4F8EA8']; chart_dict.data.colors = {}; chart_dict.data.columns.forEach(function(d, i) { diff --git a/frappe/public/js/frappe/ui/field_group.js b/frappe/public/js/frappe/ui/field_group.js index e40b6d87f5..896dca5901 100644 --- a/frappe/public/js/frappe/ui/field_group.js +++ b/frappe/public/js/frappe/ui/field_group.js @@ -74,7 +74,7 @@ frappe.ui.FieldGroup = frappe.ui.form.Layout.extend({ } } if(errors.length && !ignore_errors) { - msgprint({ + frappe.msgprint({ title: __('Missing Values Required'), message: __('Following fields have missing values:') + '

    • ' + errors.join('
    • ') + '
    ', @@ -106,7 +106,7 @@ frappe.ui.FieldGroup = frappe.ui.form.Layout.extend({ } }, clear: function() { - for(key in this.fields_dict) { + for(var key in this.fields_dict) { var f = this.fields_dict[key]; if(f && f.set_input) { f.set_input(f.df['default'] || ''); diff --git a/frappe/public/js/frappe/ui/filters/filters.js b/frappe/public/js/frappe/ui/filters/filters.js index 263fdf89b6..ea812a751a 100644 --- a/frappe/public/js/frappe/ui/filters/filters.js +++ b/frappe/public/js/frappe/ui/filters/filters.js @@ -105,7 +105,7 @@ frappe.ui.FilterList = Class.extend({ // This gives a predictable stats order me.wrapper.find(".filter-stat").empty(); $.each(me.stats, function (i, v) { - me.render_filters(v, (r.message|| {})[v.name]); + me.render_filters(v, (r.message|| {})[v.name]); }); } }); @@ -149,8 +149,8 @@ frappe.ui.FilterList = Class.extend({ } if(options.length>0) { - for (i in stat) { - for (o in options) { + for (var i in stat) { + for (var o in options) { if (stat[i][0] == options[o].value) { if (field.name=="docstatus") { labels[i] = options[o].label @@ -353,7 +353,7 @@ frappe.ui.FilterList = Class.extend({ fieldname: fieldname, condition: condition, value: value - }); + }); this.filters.push(filter); @@ -460,8 +460,7 @@ frappe.ui.Filter = Class.extend({ ? __("values separated by commas") : __("use % as wildcard"))+'
    '); } else { - me.set_field(me.field.df.parent, me.field.df.fieldname, null, - condition); + me.set_field(me.field.df.parent, me.field.df.fieldname, null, condition); } }); @@ -512,7 +511,7 @@ frappe.ui.Filter = Class.extend({ var original_docfield = me.fieldselect.fields_by_name[doctype][fieldname]; if(!original_docfield) { - msgprint(__("Field {0} is not selectable.", [fieldname])); + frappe.msgprint(__("Field {0} is not selectable.", [fieldname])); return; } @@ -784,7 +783,7 @@ frappe.ui.FieldSelect = Class.extend({ // old style if(doctype.indexOf(".")!==-1) { - parts = doctype.split("."); + var parts = doctype.split("."); doctype = parts[0]; fieldname = parts[1]; } @@ -857,14 +856,14 @@ frappe.ui.FieldSelect = Class.extend({ var label = __(df.label) + ' (' + __(df.parent) + ')'; var table = df.parent; } - if(frappe.model.no_value_type.indexOf(df.fieldtype)==-1 && + if(frappe.model.no_value_type.indexOf(df.fieldtype) == -1 && !(me.fields_by_name[df.parent] && me.fields_by_name[df.parent][df.fieldname])) { - this.options.push({ - label: label, - value: table + "." + df.fieldname, - fieldname: df.fieldname, - doctype: df.parent - }) + this.options.push({ + label: label, + value: table + "." + df.fieldname, + fieldname: df.fieldname, + doctype: df.parent + }); if(!me.fields_by_name[df.parent]) me.fields_by_name[df.parent] = {}; me.fields_by_name[df.parent][df.fieldname] = df; } diff --git a/frappe/public/js/frappe/ui/like.js b/frappe/public/js/frappe/ui/like.js index 0ebd429a2d..0dbdac72ad 100644 --- a/frappe/public/js/frappe/ui/like.js +++ b/frappe/public/js/frappe/ui/like.js @@ -3,7 +3,7 @@ frappe.ui.is_liked = function(doc) { var liked = frappe.ui.get_liked_by(doc); - return liked.indexOf(user)===-1 ? false : true; + return liked.indexOf(frappe.session.user)===-1 ? false : true; } frappe.ui.get_liked_by = function(doc) { @@ -47,10 +47,10 @@ frappe.ui.toggle_like = function($btn, doctype, name, callback) { var doc = locals[doctype] && locals[doctype][name]; if(doc) { var liked_by = JSON.parse(doc._liked_by || "[]"), - idx = liked_by.indexOf(user); + idx = liked_by.indexOf(frappe.session.user); if(add==="Yes") { if(idx===-1) - liked_by.push(user); + liked_by.push(frappe.session.user); } else { if(idx!==-1) { liked_by = liked_by.slice(0,idx).concat(liked_by.slice(idx+1)) @@ -98,7 +98,7 @@ frappe.ui.setup_like_popover = function($parent, selector) { placement: "right", content: function() { var liked_by = JSON.parse($wrapper.attr('data-liked-by') || "[]"); - + var user = frappe.session.user; // hack if ($wrapper.find(".not-liked").length) { if (liked_by.indexOf(user)!==-1) { diff --git a/frappe/public/js/frappe/ui/listing.js b/frappe/public/js/frappe/ui/listing.js deleted file mode 100644 index 437b16829f..0000000000 --- a/frappe/public/js/frappe/ui/listing.js +++ /dev/null @@ -1,469 +0,0 @@ -// Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors -// MIT License. See license.txt - -// new re-factored Listing object -// removed rarely used functionality -// -// opts: -// parent - -// method (method to call on server) -// args (additional args to method) -// get_args (method to return args as dict) - -// show_filters [false] -// doctype -// filter_fields (if given, this list is rendered, else built from doctype) - -// query or get_query (will be deprecated) -// query_max -// buttons_in_frame - -// no_result_message ("No result") - -// page_length (20) -// hide_refresh (False) -// no_toolbar -// new_doctype -// [function] render_row(parent, data) -// [function] onrun -// no_loading (no ajax indicator) - -frappe.provide('frappe.ui'); -frappe.ui.Listing = Class.extend({ - init: function(opts) { - this.opts = opts || {}; - this.page_length = 20; - this.start = 0; - this.data = []; - if(opts) { - this.make(); - } - }, - prepare_opts: function() { - if(this.opts.new_doctype) { - if(frappe.boot.user.can_create.indexOf(this.opts.new_doctype)==-1) { - this.opts.new_doctype = null; - } else { - this.opts.new_doctype = this.opts.new_doctype; - } - } - if(!this.opts.no_result_message) { - this.opts.no_result_message = __('Nothing to show'); - } - if(!this.opts.page_length) { - this.opts.page_length = this.list_settings ? (this.list_settings.limit || 20) : 20; - } - this.opts._more = __("More"); - }, - make: function(opts) { - if(opts) { - this.opts = opts; - } - this.prepare_opts(); - $.extend(this, this.opts); - - $(this.parent).html(frappe.render_template("listing", this.opts)); - this.wrapper = $(this.parent).find('.frappe-list'); - this.set_events(); - - if(this.page) { - this.wrapper.find('.list-toolbar-wrapper').toggle(false); - } - - if(this.show_filters) { - this.make_filters(); - } - }, - add_button: function(label, click, icon) { - if(this.page) { - return this.page.add_menu_item(label, click, icon) - } else { - this.wrapper.find('.list-toolbar-wrapper').removeClass("hide"); - $button = $('') - .appendTo(this.wrapper.find('.list-toolbar')) - .html((icon ? (" ") : "") + label) - .click(click); - return $button - } - }, - set_events: function() { - var me = this; - - // next page - this.wrapper.find('.btn-more').click(function() { - me.run(true); - }); - - this.wrapper.find(".btn-group-paging .btn").click(function() { - me.page_length = cint($(this).attr("data-value")); - me.wrapper.find(".btn-group-paging .btn-info").removeClass("btn-info"); - $(this).addClass("btn-info"); - - // always reset when changing list page length - me.run(); - }); - - // select the correct page length - if(this.opts.page_length != 20) { - this.wrapper.find(".btn-group-paging .btn-info").removeClass("btn-info"); - this.wrapper.find(".btn-group-paging .btn[data-value='"+ this.opts.page_length +"']").addClass('btn-info'); - } - - // title - if(this.title) { - this.wrapper.find('h3').html(this.title).toggle(true); - } - - // new - this.set_primary_action(); - - if(me.no_toolbar || me.hide_toolbar) { - me.wrapper.find('.list-toolbar-wrapper').toggle(false); - } - }, - - set_primary_action: function() { - var me = this; - if(this.new_doctype) { - if(this.listview.settings.set_primary_action){ - this.listview.settings.set_primary_action(this); - } else { - this.page.set_primary_action(__("New"), function() { - me.make_new_doc(me.new_doctype); }, "octicon octicon-plus"); - } - } else { - this.page.clear_primary_action(); - } - }, - - make_new_doc: function(doctype) { - var me = this; - frappe.model.with_doctype(doctype, function() { - if(me.custom_new_doc) { - me.custom_new_doc(doctype); - } else { - if(me.filter_list) { - frappe.route_options = {}; - $.each(me.filter_list.get_filters(), function(i, f) { - if(f[2]==="=" && !in_list(frappe.model.std_fields_list, f[1])) { - frappe.route_options[f[1]] = f[3]; - } - }); - } - frappe.new_doc(doctype, true); - } - }); - }, - - make_filters: function() { - this.filter_list = new frappe.ui.FilterList({ - listobj: this, - $parent: this.wrapper.find('.list-filters').toggle(true), - doctype: this.doctype, - filter_fields: this.filter_fields, - default_filters:this.default_filters? this.default_filters: this.listview?this.listview.settings.default_filters:[] - }); - if(frappe.model.is_submittable(this.doctype)) { - this.filter_list.add_filter(this.doctype, "docstatus", "!=", 2); - }; - }, - - clear: function() { - this.data = []; - this.wrapper.find('.result-list').empty(); - this.wrapper.find('.result').toggle(true); - this.wrapper.find('.no-result').toggle(false); - this.start = 0; - if(this.onreset) this.onreset(); - }, - - set_filters_from_route_options: function() { - var me = this; - this.filter_list.clear_filters(); - $.each(frappe.route_options, function(key, value) { - var doctype = null; - - // if `Child DocType.fieldname` - if (key.indexOf(".")!==-1) { - doctype = key.split(".")[0]; - key = key.split(".")[1]; - } - - // find the table in which the key exists - // for example the filter could be {"item_code": "X"} - // where item_code is in the child table. - - // we can search all tables for mapping the doctype - if(!doctype) { - doctype = frappe.meta.get_doctype_for_field(me.doctype, key); - } - - if(doctype) { - if($.isArray(value)) { - me.filter_list.add_filter(doctype, key, value[0], value[1]); - } else { - me.filter_list.add_filter(doctype, key, "=", value); - } - } - }); - frappe.route_options = null; - }, - - run: function(more) { - var me = this; - if(!more) { - this.start = 0; - if(this.onreset) this.onreset(); - } - - if(!me.opts.no_loading) { - me.set_working(true); - } - - var args = this.get_call_args(); - this.save_list_settings_locally(args); - - // list_settings are saved by db_query.py when dirty - $.extend(args, { - list_settings: frappe.model.list_settings[this.doctype] - }); - - return frappe.call({ - method: this.opts.method || 'frappe.desk.query_builder.runquery', - type: "GET", - freeze: (this.opts.freeze != undefined ? this.opts.freeze : true), - args: args, - callback: function(r) { - if(!me.opts.no_loading) - me.set_working(false); - me.dirty = false; - me.render_results(r); - }, - no_spinner: this.opts.no_loading - }); - }, - save_list_settings_locally: function(args) { - if(this.opts.save_list_settings && this.doctype && !this.docname) { - // save list settings locally - list_settings = frappe.model.list_settings[this.doctype]; - - if(!list_settings) { - return - } - - var different = false; - - if(!frappe.utils.arrays_equal(args.filters, list_settings.filters)) { - //dont save filters in Kanban view - if(this.current_view!=="Kanban") { - // settings are dirty if filters change - list_settings.filters = args.filters || []; - different = true; - } - } - - if(list_settings.order_by !== args.order_by) { - list_settings.order_by = args.order_by; - different = true; - } - - if(list_settings.limit != args.limit_page_length) { - list_settings.limit = args.limit_page_length || 20 - different = true; - } - - // save fields in list settings - if(args.save_list_settings_fields) { - list_settings.fields = args.fields; - } - - if(different) { - list_settings.updated_on = moment().toString(); - } - } - }, - set_working: function(flag) { - this.wrapper.find('.img-load').toggle(flag); - }, - get_call_args: function() { - // load query - if(!this.method) { - var query = this.get_query ? this.get_query() : this.query; - query = this.add_limits(query); - var args={ - query_max: this.query_max, - as_dict: 1 - } - args.simple_query = query; - } else { - var args = { - limit_start: this.start, - limit_page_length: this.page_length - } - } - - // append user-defined arguments - if(this.args) - $.extend(args, this.args) - - if(this.get_args) { - $.extend(args, this.get_args()); - } - return args; - }, - render_results: function(r) { - if(this.start===0) this.clear(); - - this.wrapper.find('.btn-more, .list-loading').toggle(false); - - r.values = []; - - if(r.message) { - r.values = this.get_values_from_response(r.message); - } - - if(r.values.length || this.force_render_view) { - if (this.data.length && this.data[this.data.length - 1]._totals_row) { - this.data.pop(); - } - this.data = this.data.concat(r.values); - this.render_view(r.values); - // this.render_list(r.values); - this.update_paging(r.values); - } else { - if(this.start===0) { - this.wrapper.find('.result').toggle(false); - - var msg = this.get_no_result_message - ? this.get_no_result_message() - : (this.no_result_message - ? this.no_result_message - : __("No Result")); - - this.wrapper.find('.no-result') - .html(msg) - .toggle(true); - } - } - - this.wrapper.find('.list-paging-area').toggle((r.values.length || this.start > 0) ? true : false); - - // callbacks - if(this.onrun) this.onrun(); - if(this.callback) this.callback(r); - this.wrapper.trigger("render-complete"); - }, - - get_values_from_response: function(data) { - // make dictionaries from keys and values - if(data.keys && $.isArray(data.keys)) { - return frappe.utils.dict(data.keys, data.values); - } else { - return data; - } - }, - - render_view: function(values) { - this.list_view = new frappe.views.ListView({ - doctype: this.doctype, - values: values, - }); - }, - - render_list: function(values) { - // TODO: where is this used? - // this.last_page = values; - // if(this.filter_list) { - // // and this? - // this.filter_values = this.filter_list.get_filters(); - // } - - this.render_rows(values); - }, - render_rows: function(values) { - // render the rows - var m = Math.min(values.length, this.page_length); - for(var i=0; i < m; i++) { - this.render_row(this.add_row(values[i]), values[i], this, i); - } - }, - update_paging: function(values) { - if(values.length >= this.page_length) { - this.wrapper.find('.btn-more').toggle(true); - this.start += this.page_length; - } - }, - add_row: function(row) { - return $('
    ') - .data("data", (this.meta && this.meta.image_view) == 0 ? row : null) - .appendTo(this.wrapper.find('.result-list')) - .get(0); - }, - refresh: function() { - this.run(); - }, - add_limits: function(query) { - query += ' LIMIT ' + this.start + ',' + (this.page_length+1); - return query - }, - set_filter: function(fieldname, label, no_run, no_duplicate, parent) { - var filter = this.filter_list.get_filter(fieldname); - doctype = parent && this.doctype != parent? parent: this.doctype - - if(filter) { - var v = cstr(filter.field.get_parsed_value()); - if(v.indexOf(label)!=-1) { - // already set - return false - - } else if(no_duplicate) { - filter.set_values(doctype, fieldname, "=", label); - } else { - // second filter set for this field - if(fieldname=='_user_tags' || fieldname=="_liked_by") { - // and for tags - this.filter_list.add_filter(doctype, fieldname, 'like', '%' + label + '%'); - } else { - // or for rest using "in" - filter.set_values(doctype, fieldname, 'in', v + ', ' + label); - } - } - } else { - // no filter for this item, - // setup one - if(['_user_tags', '_comments', '_assign', '_liked_by'].indexOf(fieldname)!==-1) { - this.filter_list.add_filter(doctype, fieldname, 'like', '%' + label + '%'); - } else { - this.filter_list.add_filter(doctype, fieldname, '=', label); - } - } - if(!no_run) - this.run(); - }, - init_list_settings: function() { - if(frappe.model.list_settings[this.doctype]) { - this.list_settings = frappe.model.list_settings[this.doctype]; - } else { - this.list_settings = {}; - } - }, - call_for_selected_items: function(method, args) { - var me = this; - args.names = $.map(this.get_checked_items(), function(d) { return d.name; }); - - frappe.call({ - method: method, - args: args, - freeze: true, - callback: function(r) { - if(!r.exc) { - if(me.list_header) { - me.list_header.find(".list-select-all").prop("checked", false); - } - me.refresh(); - } - } - }); - } -}); diff --git a/frappe/public/js/frappe/ui/messages.js b/frappe/public/js/frappe/ui/messages.js index 09b6d1112b..761f87a202 100644 --- a/frappe/public/js/frappe/ui/messages.js +++ b/frappe/public/js/frappe/ui/messages.js @@ -18,7 +18,7 @@ frappe.throw = function(msg) { msg = {message: msg, title: __('Error')}; } if(!msg.indicator) msg.indicator = 'red'; - msgprint(msg); + frappe.msgprint(msg); throw new Error(msg.message); } @@ -175,6 +175,14 @@ frappe.msgprint = function(msg, title) { return msg_dialog; } +// Proxy for frappe.msgprint +Object.defineProperty(window, 'msgprint', { + get: function() { + console.warn('Please use `frappe.msgprint` instead of `msgprint`. It will be deprecated soon.'); + return frappe.msgprint; + } +}); + frappe.hide_msgprint = function(instant) { // clear msgprint if(msg_dialog && msg_dialog.msg_area) { @@ -221,8 +229,6 @@ frappe.verify_password = function(callback) { }, __("Verify Password"), __("Verify")) } -var msgprint = frappe.msgprint; - frappe.show_progress = function(title, count, total) { if(frappe.cur_progress && frappe.cur_progress.title === title && frappe.cur_progress.$wrapper.is(":visible")) { @@ -233,8 +239,8 @@ frappe.show_progress = function(title, count, total) { }); dialog.progress = $('
    ') .appendTo(dialog.body); - dialog.progress_bar = dialog.progress.css({"margin-top": "10px"}) - .find(".progress-bar"); + dialog.progress_bar = dialog.progress.css({"margin-top": "10px"}) + .find(".progress-bar"); dialog.$wrapper.removeClass("fade"); dialog.show(); frappe.cur_progress = dialog; @@ -260,6 +266,7 @@ frappe.show_alert = function(message, seconds=7) { $('
    ').appendTo('body'); } + var message_html; if(message.indicator) { message_html = $('').append(message.message); } else { @@ -286,5 +293,10 @@ frappe.show_alert = function(message, seconds=7) { return div; } -// for backward compatibility -var show_alert = frappe.show_alert; +// Proxy for frappe.show_alert +Object.defineProperty(window, 'show_alert', { + get: function() { + console.warn('Please use `frappe.show_alert` instead of `show_alert`. It will be deprecated soon.'); + return frappe.show_alert; + } +}); diff --git a/frappe/public/js/frappe/ui/page.js b/frappe/public/js/frappe/ui/page.js index 3b7a6939c4..f6ac7e241e 100644 --- a/frappe/public/js/frappe/ui/page.js +++ b/frappe/public/js/frappe/ui/page.js @@ -317,7 +317,7 @@ frappe.ui.Page = Class.extend({ return this.$title_area.find(".title-icon") .html(' ') .toggle(true); - }, + }, add_help_button: function(txt) { // diff --git a/frappe/public/js/frappe/ui/toolbar/about.js b/frappe/public/js/frappe/ui/toolbar/about.js index c0c1dae138..3ef036ad5f 100644 --- a/frappe/public/js/frappe/ui/toolbar/about.js +++ b/frappe/public/js/frappe/ui/toolbar/about.js @@ -6,8 +6,8 @@ frappe.ui.misc.about = function() { $(d.body).html(repl("
    \

    "+__("Open Source Applications for the Web")+"

    \

    \ - Website: https://frappe.io

    \ -

    \ + Website: https://frappe.io

    \ +

    \ Source: https://github.com/frappe

    \
    \

    Installed Apps

    \ @@ -31,14 +31,14 @@ frappe.ui.misc.about = function() { var show_versions = function(versions) { var $wrap = $("#about-app-versions").empty(); - $.each(keys(versions).sort(), function(i, key) { + $.each(Object.keys(versions).sort(), function(i, key) { var v = versions[key]; if(v.branch) { var text = $.format('

    {0}: v{1} ({2})

    ', - [v.title, v.branch_version || v.version, v.branch]) + [v.title, v.branch_version || v.version, v.branch]) } else { var text = $.format('

    {0}: v{1}

    ', - [v.title, v.version]) + [v.title, v.version]) } $(text).appendTo($wrap); }); diff --git a/frappe/public/js/frappe/ui/toolbar/awesome_bar.js b/frappe/public/js/frappe/ui/toolbar/awesome_bar.js index ed9b7c27dd..e54833f846 100644 --- a/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +++ b/frappe/public/js/frappe/ui/toolbar/awesome_bar.js @@ -138,7 +138,7 @@ frappe.search.AwesomeBar = Class.extend({ '+__("Calculate")+''+ __("e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...")+'\ ' - msgprint(txt, __("Search Help")); + frappe.msgprint(txt, __("Search Help")); } }); }, @@ -255,7 +255,7 @@ frappe.search.AwesomeBar = Class.extend({ index: 80, default: "Calculator", onclick: function() { - msgprint(formatted_value, "Result"); + frappe.msgprint(formatted_value, "Result"); } }); } catch(e) { diff --git a/frappe/public/js/frappe/ui/toolbar/navbar.html b/frappe/public/js/frappe/ui/toolbar/navbar.html index a7fb7324a9..a9f137e43e 100644 --- a/frappe/public/js/frappe/ui/toolbar/navbar.html +++ b/frappe/public/js/frappe/ui/toolbar/navbar.html @@ -24,7 +24,7 @@
    +
    \ No newline at end of file diff --git a/frappe/public/js/frappe/views/kanban/kanban_board.js b/frappe/public/js/frappe/views/kanban/kanban_board.js index 1450aca7b1..1443d0d347 100644 --- a/frappe/public/js/frappe/views/kanban/kanban_board.js +++ b/frappe/public/js/frappe/views/kanban/kanban_board.js @@ -14,10 +14,15 @@ frappe.provide("frappe.views"); cards: [], columns: [], filters_modified: false, - cur_list: {} + cur_list: {}, + empty_state: true }, actionCallbacks: { init: function (updater, opts) { + updater.set({ + empty_state: true + }); + get_board(opts.board_name) .then(function (board) { var card_meta = get_card_meta(opts); @@ -39,7 +44,8 @@ frappe.provide("frappe.views"); card_meta: card_meta, cards: cards, columns: columns, - cur_list: opts.cur_list + cur_list: opts.cur_list, + empty_state: false }); }) .fail(function() { @@ -119,7 +125,7 @@ frappe.provide("frappe.views"); }).then(function(r) { saving_filters = false; updater.set({ filters_modified: false }); - show_alert({ + frappe.show_alert({ message: __('Filters saved'), indicator: 'green' }, 0.5); @@ -145,8 +151,8 @@ frappe.provide("frappe.views"); if (field && !quick_entry) { return insert_doc(doc) .then(function (r) { - var doc = r.message; - var card = prepare_card(doc, state, doc); + var updated_doc = r.message; + var card = prepare_card(doc, state, updated_doc); var cards = state.cards.slice(); cards.push(card); updater.set({ cards: cards }); @@ -269,6 +275,7 @@ frappe.provide("frappe.views"); prepare(); store.on('change:cur_list', setup_restore_columns); store.on('change:columns', setup_restore_columns); + store.on('change:empty_state', show_empty_state); } function prepare() { @@ -405,6 +412,18 @@ frappe.provide("frappe.views"); }); } + function show_empty_state() { + var empty_state = store.getState().empty_state; + + if(empty_state) { + self.$kanban_board.find('.kanban-column').hide(); + self.$kanban_board.find('.kanban-empty-state').show(); + } else { + self.$kanban_board.find('.kanban-column').show(); + self.$kanban_board.find('.kanban-empty-state').hide(); + } + } + init(); return self; @@ -513,10 +532,12 @@ frappe.provide("frappe.views"); // not already working -- double entry e.preventDefault(); var card_title = $textarea.val(); - fluxify.doAction('add_card', card_title, column.title); - $btn_add.show(); - $new_card_area.hide(); - $textarea.val(''); + fluxify.doAction('add_card', card_title, column.title) + .then(() => { + $btn_add.show(); + $new_card_area.hide(); + $textarea.val(''); + }); } } }); @@ -819,37 +840,6 @@ frappe.provide("frappe.views"); }) } - function edit_card_title_old() { - - self.$card.find('.kanban-card-edit').on('click', function (e) { - e.stopPropagation(); - $edit_card_area.show(); - $kanban_card_area.hide(); - $textarea.focus(); - }); - - $textarea.on('blur', function () { - $edit_card_area.hide(); - $kanban_card_area.show(); - }); - - $textarea.keydown(function (e) { - if (e.which === 13) { - e.preventDefault(); - var new_title = $textarea.val(); - if (card.title === new_title) { - return; - } - get_doc().then(function () { - var tf = store.getState().card_meta.title_field.fieldname; - var doc = card.doc; - doc[tf] = new_title; - fluxify.doAction('update_doc', doc, card); - }) - } - }) - } - init(); } @@ -1020,7 +1010,7 @@ frappe.provide("frappe.views"); }, callback: function (r) { frappe.model.clear_doc(doc.doctype, doc.name); - show_alert({ message: __("Saved"), indicator: 'green' }, 1); + frappe.show_alert({ message: __("Saved"), indicator: 'green' }, 1); } }); } diff --git a/frappe/public/js/frappe/views/kanban/kanban_view.js b/frappe/public/js/frappe/views/kanban/kanban_view.js index 5590f689be..5703282254 100644 --- a/frappe/public/js/frappe/views/kanban/kanban_view.js +++ b/frappe/public/js/frappe/views/kanban/kanban_view.js @@ -71,7 +71,7 @@ frappe.views.KanbanView = frappe.views.ListRenderer.extend({ return frappe.render_template('list_item_row_head', { main: '', list: this }); }, required_libs: [ - 'assets/frappe/js/frappe/views/kanban/fluxify.min.js', + 'assets/frappe/js/lib/fluxify.min.js', 'assets/frappe/js/frappe/views/kanban/kanban_board.js' ] }); \ No newline at end of file diff --git a/frappe/public/js/frappe/views/pageview.js b/frappe/public/js/frappe/views/pageview.js index e763c2cc97..7f3f42b4ce 100644 --- a/frappe/public/js/frappe/views/pageview.js +++ b/frappe/public/js/frappe/views/pageview.js @@ -6,7 +6,7 @@ frappe.provide("frappe.standard_pages"); frappe.views.pageview = { with_page: function(name, callback) { - if(in_list(keys(frappe.standard_pages), name)) { + if(in_list(Object.keys(frappe.standard_pages), name)) { if(!frappe.pages[name]) { frappe.standard_pages[name](); } diff --git a/frappe/public/js/frappe/views/reports/grid_report.js b/frappe/public/js/frappe/views/reports/grid_report.js index 9e7f7ad2c0..96a4e6182e 100644 --- a/frappe/public/js/frappe/views/reports/grid_report.js +++ b/frappe/public/js/frappe/views/reports/grid_report.js @@ -7,7 +7,7 @@ $.extend(frappe.report_dump, { data: {}, last_modified: {}, with_data: function(doctypes, callback) { - var pre_loaded = keys(frappe.report_dump.last_modified); + var pre_loaded = Object.keys(frappe.report_dump.last_modified); return frappe.call({ method: "frappe.desk.report_dump.get_data", type: "GET", @@ -148,10 +148,10 @@ frappe.views.GridReport = Class.extend({ var me = this; $.each(me.filter_inputs, function(i, v) { var opts = v.get(0).opts; - if(opts.fieldtype == "Select" && inList(me.doctypes, opts.link)) { + if(opts.fieldtype == "Select" && in_list(me.doctypes, opts.link)) { $(v).add_options($.map(frappe.report_dump.data[opts.link], function(d) { return d.name; })); - } else if(opts.fieldtype == "Link" && inList(me.doctypes, opts.link)) { + } else if(opts.fieldtype == "Link" && in_list(me.doctypes, opts.link)) { opts.list = $.map(frappe.report_dump.data[opts.link], function(d) { return d.name; }); me.set_autocomplete(v, opts.list); @@ -201,7 +201,7 @@ frappe.views.GridReport = Class.extend({ filters.val(value); } } else { - msgprint(__("Invalid Filter: {0}", [key])) + frappe.msgprint(__("Invalid Filter: {0}", [key])) } }, set_autocomplete: function($filter, list) { @@ -219,8 +219,8 @@ frappe.views.GridReport = Class.extend({ var me = this; $.each(this.filter_inputs, function(key, filter) { var opts = filter.get(0).opts; - if(sys_defaults[key]) { - filter.val(sys_defaults[key]); + if(frappe.sys_defaults[key]) { + filter.val(frappe.sys_defaults[key]); } else if(opts.fieldtype=='Select') { filter.get(0).selectedIndex = 0; } else if(opts.fieldtype=='Data') { @@ -235,8 +235,8 @@ frappe.views.GridReport = Class.extend({ set_default_values: function() { var values = { - from_date: dateutil.str_to_user(sys_defaults.year_start_date), - to_date: dateutil.str_to_user(sys_defaults.year_end_date) + from_date: frappe.datetime.str_to_user(frappe.sys_defaults.year_start_date), + to_date: frappe.datetime.str_to_user(frappe.sys_defaults.year_end_date) } var me = this; @@ -298,7 +298,7 @@ frappe.views.GridReport = Class.extend({ } else if(opts.fieldtype!='Button') { me[opts.fieldname] = f.val(); if(opts.fieldtype=="Date") { - me[opts.fieldname] = dateutil.user_to_str(me[opts.fieldname]); + me[opts.fieldname] = frappe.datetime.user_to_str(me[opts.fieldname]); } else if (opts.fieldtype == "Select") { me[opts.fieldname+'_default'] = opts.default_value; } @@ -306,7 +306,7 @@ frappe.views.GridReport = Class.extend({ }); if(this.filter_inputs.from_date && this.filter_inputs.to_date && (this.to_date < this.from_date)) { - msgprint(__("From Date must be before To Date")); + frappe.msgprint(__("From Date must be before To Date")); return; } @@ -359,7 +359,7 @@ frappe.views.GridReport = Class.extend({ this.round_off_data(); this.prepare_data_view(); // chart might need prepared data - show_alert("Updated", 2); + frappe.show_alert("Updated", 2); this.render(); this.setup_chart && this.setup_chart(); }, @@ -458,7 +458,7 @@ frappe.views.GridReport = Class.extend({ var filters = this.filter_inputs; if(item._show) return true; - for (i in filters) { + for (var i in filters) { if(!this.apply_filter(item, i)) { return false; } @@ -502,7 +502,7 @@ frappe.views.GridReport = Class.extend({ return this[fieldname]==this[fieldname + "_default"]; }, date_formatter: function(row, cell, value, columnDef, dataContext) { - return dateutil.str_to_user(value); + return frappe.datetime.str_to_user(value); }, currency_formatter: function(row, cell, value, columnDef, dataContext) { return repl('
    %(value)s
    ', { @@ -577,18 +577,18 @@ frappe.views.GridReport = Class.extend({ get_link_open_icon: function(doctype, name) { return repl(' \ ', { - doctype: doctype, - name: encodeURIComponent(name) - }); + doctype: doctype, + name: encodeURIComponent(name) + }); }, make_date_range_columns: function() { this.columns = []; var me = this; var range = this.filter_inputs.range.val(); - this.from_date = dateutil.user_to_str(this.filter_inputs.from_date.val()); - this.to_date = dateutil.user_to_str(this.filter_inputs.to_date.val()); - var date_diff = dateutil.get_diff(this.to_date, this.from_date); + this.from_date = frappe.datetime.user_to_str(this.filter_inputs.from_date.val()); + this.to_date = frappe.datetime.user_to_str(this.filter_inputs.to_date.val()); + var date_diff = frappe.datetime.get_diff(this.to_date, this.from_date); me.column_map = {}; me.last_date = null; @@ -596,7 +596,7 @@ frappe.views.GridReport = Class.extend({ var add_column = function(date) { me.columns.push({ id: date, - name: dateutil.str_to_user(date), + name: frappe.datetime.str_to_user(date), field: date, formatter: me.currency_formatter, width: 100 @@ -606,7 +606,7 @@ frappe.views.GridReport = Class.extend({ var build_columns = function(condition) { // add column for each date range for(var i=0; i <= date_diff; i++) { - var date = dateutil.add_days(me.from_date, i); + var date = frappe.datetime.add_days(me.from_date, i); if(!condition) condition = function() { return true; } if(condition(date)) add_column(date); @@ -624,24 +624,24 @@ frappe.views.GridReport = Class.extend({ } else if(range=='Weekly') { build_columns(function(date) { if(!me.last_date) return true; - return !(dateutil.get_diff(date, me.from_date) % 7) + return !(frappe.datetime.get_diff(date, me.from_date) % 7) }); } else if(range=='Monthly') { build_columns(function(date) { if(!me.last_date) return true; - return dateutil.str_to_obj(me.last_date).getMonth() != dateutil.str_to_obj(date).getMonth() + return frappe.datetime.str_to_obj(me.last_date).getMonth() != frappe.datetime.str_to_obj(date).getMonth() }); } else if(range=='Quarterly') { build_columns(function(date) { if(!me.last_date) return true; - return dateutil.str_to_obj(date).getDate()==1 && in_list([0,3,6,9], dateutil.str_to_obj(date).getMonth()) + return frappe.datetime.str_to_obj(date).getDate()==1 && in_list([0,3,6,9], frappe.datetime.str_to_obj(date).getMonth()) }); } else if(range=='Yearly') { build_columns(function(date) { if(!me.last_date) return true; return $.map(frappe.report_dump.data['Fiscal Year'], function(v) { - return date==v.year_start_date ? true : null; - }).length; + return date==v.year_start_date ? true : null; + }).length; }); } @@ -649,8 +649,8 @@ frappe.views.GridReport = Class.extend({ // set label as last date of period $.each(this.columns, function(i, col) { col.name = me.columns[i+1] - ? dateutil.str_to_user(dateutil.add_days(me.columns[i+1].id, -1)) - : dateutil.str_to_user(me.to_date); + ? frappe.datetime.str_to_user(frappe.datetime.add_days(me.columns[i+1].id, -1)) + : frappe.datetime.str_to_user(me.to_date); }); }, trigger_refresh_on_change: function(filters) { @@ -815,7 +815,7 @@ frappe.views.TreeGridReport = frappe.views.GridReportWithPlot.extend({ if(group_ids.indexOf(item.name)==-1) { item_group_map[parent].push(item); } else { - msgprint(__("Ignoring Item {0}, because a group exists with the same name!", [item.name.bold()])); + frappe.msgprint(__("Ignoring Item {0}, because a group exists with the same name!", [item.name.bold()])); } }); @@ -844,7 +844,7 @@ frappe.views.TreeGridReport = frappe.views.GridReportWithPlot.extend({ }, export: function() { - var msgbox = msgprint($.format('

    {0}

    \ + var msgbox = frappe.msgprint($.format('

    {0}

    \

    {1}

    \

    {2}

    \

    ', [ @@ -874,7 +874,7 @@ frappe.views.TreeGridReport = frappe.views.GridReportWithPlot.extend({ } return false; - }); + }); frappe.tools.downloadify(data, ["Report Manager", "System Manager"], me.title); return false; diff --git a/frappe/public/js/frappe/views/reports/query_report.js b/frappe/public/js/frappe/views/reports/query_report.js index 1ce9f0e938..31374cbb09 100644 --- a/frappe/public/js/frappe/views/reports/query_report.js +++ b/frappe/public/js/frappe/views/reports/query_report.js @@ -33,10 +33,10 @@ frappe.views.QueryReport = Class.extend({ }, slickgrid_options: { enableColumnReorder: false, - showHeaderRow: true, - headerRowHeight: 30, - explicitInitialization: true, - multiColumnSort: true + showHeaderRow: true, + headerRowHeight: 30, + explicitInitialization: true, + multiColumnSort: true }, make: function() { var me = this; @@ -69,7 +69,7 @@ frappe.views.QueryReport = Class.extend({ // Edit this.page.add_menu_item(__('Edit'), function() { if(!frappe.user.is_report_manager()) { - msgprint(__("You are not allowed to create / edit reports")); + frappe.msgprint(__("You are not allowed to create / edit reports")); return false; } frappe.set_route("Form", "Report", me.report_name); @@ -181,26 +181,27 @@ frappe.views.QueryReport = Class.extend({ }, print_report: function() { if(!frappe.model.can_print(this.report_doc.ref_doctype)) { - msgprint(__("You are not allowed to print this report")); + frappe.msgprint(__("You are not allowed to print this report")); return false; } if(this.html_format) { var content = frappe.render(this.html_format, { data: frappe.slickgrid_tools.get_filtered_items(this.dataView), - filters:this.get_values(), - report:this}); + filters: this.get_values(), + report: this + }); frappe.render_grid({ - content:content, - title:__(this.report_name), + content: content, + title: __(this.report_name), print_settings: this.print_settings, }); } else { frappe.render_grid({ - grid:this.grid, + grid: this.grid, report: this, - title:__(this.report_name), + title: __(this.report_name), print_settings: this.print_settings, }); } @@ -211,32 +212,37 @@ frappe.views.QueryReport = Class.extend({ var print_css = frappe.boot.print_css; if(!frappe.model.can_print(this.report_doc.ref_doctype)) { - msgprint(__("You are not allowed to make PDF for this report")); + frappe.msgprint(__("You are not allowed to make PDF for this report")); return false; } var orientation = this.print_settings.orientation; var landscape = orientation == "Landscape" ? true: false + var columns = this.grid.getColumns(); if(this.html_format) { - var content = frappe.render(this.html_format, - {data: frappe.slickgrid_tools.get_filtered_items(this.dataView), filters:this.get_values(), report:this}); + var content = frappe.render(this.html_format, { + data: frappe.slickgrid_tools.get_filtered_items(this.dataView), + filters:this.get_values(), + report:this + }); //Render Report in HTML - var html = frappe.render_template("print_template", { - content:content, - title:__(this.report_name), - base_url: base_url, - print_css: print_css, - print_settings: this.print_settings, - landscape: landscape - }); + var html = frappe.render_template("print_template", { + columns:columns, + content:content, + title:__(this.report_name), + base_url: base_url, + print_css: print_css, + print_settings: this.print_settings, + landscape: landscape, + columns: columns + }); } else { // rows filtered by inline_filter of slickgrid var visible_idx = frappe.slickgrid_tools .get_view_data(this.columns, this.dataView) .map(row => row[0]).filter(idx => idx !== 'Sr No'); - var columns = this.grid.getColumns(); var data = this.grid.getData().getItems(); data = data.filter(d => visible_idx.includes(d._id)); @@ -253,7 +259,8 @@ frappe.views.QueryReport = Class.extend({ base_url: base_url, print_css: print_css, print_settings: this.print_settings, - landscape: landscape + landscape: landscape, + columns: columns }); } @@ -277,13 +284,13 @@ frappe.views.QueryReport = Class.extend({ xhr.responseType = "arraybuffer"; xhr.onload = function(success) { - if (this.status === 200) { - var blob = new Blob([success.currentTarget.response], {type: "application/pdf"}); - var objectUrl = URL.createObjectURL(blob); + if (this.status === 200) { + var blob = new Blob([success.currentTarget.response], {type: "application/pdf"}); + var objectUrl = URL.createObjectURL(blob); - //Open report in a new window - window.open(objectUrl); - } + //Open report in a new window + window.open(objectUrl); + } }; xhr.send(formData); }, @@ -519,7 +526,7 @@ frappe.views.QueryReport = Class.extend({ col.name = col.id = col.label = df.label; return col - })); + })); }, filter_hidden_columns: function() { this.columns = $.map(this.columns, function(c, i) { @@ -563,7 +570,7 @@ frappe.views.QueryReport = Class.extend({ var newrow = {}; for(var i=1, j=this.columns.length; i').appendTo(this.page.main); - this.page_title = __('Report')+ ': ' + (this.docname ? + this.page_title = __('Report')+ ': ' + (this.docname ? __(this.doctype) + ' - ' + __(this.docname) : __(this.doctype)); this.page.set_title(this.page_title); this.init_user_settings(); @@ -147,7 +147,7 @@ frappe.views.ReportView = frappe.ui.BaseList.extend({ columns.push(coldef); } }); - }; + } if(!columns.length) { var columns = [['name', this.doctype],]; $.each(frappe.meta.docfield_list[this.doctype], function(i, df) { @@ -226,10 +226,10 @@ frappe.views.ReportView = frappe.ui.BaseList.extend({ this.add_totals_row = cint(opts.add_totals_row); }, - set_route_filters: function(first_load) { + set_route_filters: function() { var me = this; if(frappe.route_options) { - this.set_filters_from_route_options(); + this.set_filters_from_route_options({clear_filters: this.docname ? false : true}); return true; } else if(this.user_settings && this.user_settings.filters @@ -500,9 +500,9 @@ frappe.views.ReportView = frappe.ui.BaseList.extend({ }, edit_cell: function(row, docfield) { - if(!docfield || docfield.fieldname !== "idx" && - frappe.model.std_fields_list.indexOf(docfield.fieldname)!==-1) { - return; + if(!docfield || docfield.fieldname !== "idx" + && frappe.model.std_fields_list.indexOf(docfield.fieldname)!==-1) { + return; } else if(frappe.boot.user.can_write.indexOf(this.doctype)===-1) { frappe.throw({message:__("No permission to edit"), title:__('Not Permitted')}); } @@ -581,13 +581,13 @@ frappe.views.ReportView = frappe.ui.BaseList.extend({ if(this.can_delete) { std_columns = std_columns.concat([{ id:'_check', field:'_check', name: "", width: 30, maxWidth: 30, - formatter: function(row, cell, value, columnDef, dataContext) { - return repl("", { - row: row, - checked: (dataContext.selected ? "checked=\"checked\"" : "") - }); - } + formatter: function(row, cell, value, columnDef, dataContext) { + return repl("", { + row: row, + checked: (dataContext.selected ? "checked=\"checked\"" : "") + }); + } }]); } return std_columns.concat(this.build_columns()); @@ -708,7 +708,7 @@ frappe.views.ReportView = frappe.ui.BaseList.extend({ } var export_btn = this.page.add_menu_item(__('Export'), function() { var args = me.get_args(); - selected_items = me.get_checked_items() + var selected_items = me.get_checked_items() frappe.prompt({fieldtype:"Select", label: __("Select File Type"), fieldname:"file_format_type", options:"Excel\nCSV", default:"Excel", reqd: 1}, function(data) { @@ -761,7 +761,7 @@ frappe.views.ReportView = frappe.ui.BaseList.extend({ }, callback: function(r) { if(r.exc) { - msgprint(__("Report was not saved (there were errors)")); + frappe.msgprint(__("Report was not saved (there were errors)")); return; } if(r.message != me.docname) @@ -790,7 +790,7 @@ frappe.views.ReportView = frappe.ui.BaseList.extend({ }); this.page.add_menu_item(__("Delete"), function() { - delete_list = $.map(me.get_checked_items(), function(d) { return d.name; }); + var delete_list = $.map(me.get_checked_items(), function(d) { return d.name; }); if(!delete_list.length) return; if(frappe.confirm(__("This is PERMANENT action and you cannot undo. Continue?"), diff --git a/frappe/public/js/frappe/views/test_runner.js b/frappe/public/js/frappe/views/test_runner.js index 499ea77577..2e8638d9bc 100644 --- a/frappe/public/js/frappe/views/test_runner.js +++ b/frappe/public/js/frappe/views/test_runner.js @@ -14,7 +14,7 @@ frappe.standard_pages["test-runner"] = function() { var route = frappe.get_route(); if(route.length < 2) { - msgprint(__("To run a test add the module name in the route after '{0}'. For example, {1}", ['test-runner/', '#test-runner/lib/js/frappe/test_app.js'])); + frappe.msgprint(__("To run a test add the module name in the route after '{0}'. For example, {1}", ['test-runner/', '#test-runner/lib/js/frappe/test_app.js'])); return; } diff --git a/frappe/public/js/frappe/views/treeview.js b/frappe/public/js/frappe/views/treeview.js index c7acb981b3..ebc10776d2 100644 --- a/frappe/public/js/frappe/views/treeview.js +++ b/frappe/public/js/frappe/views/treeview.js @@ -14,7 +14,7 @@ frappe.views.TreeFactory = frappe.views.Factory.extend({ }; if (!frappe.treeview_settings[route[1]] && !frappe.meta.get_docfield(route[1], "is_group")) { - msgprint(__("Tree view not available for {0}", [route[1]] )); + frappe.msgprint(__("Tree view not available for {0}", [route[1]] )); return false; } $.extend(options, frappe.treeview_settings[route[1]] || {}); diff --git a/frappe/public/js/integrations/gsuite.js b/frappe/public/js/integrations/gsuite.js new file mode 100644 index 0000000000..53248a8f32 --- /dev/null +++ b/frappe/public/js/integrations/gsuite.js @@ -0,0 +1,15 @@ +frappe.provide("frappe.integration_service"); + +frappe.integration_service.gsuite = { + create_gsuite_file: function(args, opts) { + return frappe.call({ + type:'POST', + method: 'frappe.integrations.doctype.gsuite_templates.gsuite_templates.create_gsuite_doc', + args: args, + callback: function(r) { + var attachment = r.message; + opts.callback && opts.callback(attachment, r); + } + }); + } +}; diff --git a/frappe/public/js/legacy/clientscriptAPI.js b/frappe/public/js/legacy/clientscriptAPI.js index abca684277..326f4e075f 100644 --- a/frappe/public/js/legacy/clientscriptAPI.js +++ b/frappe/public/js/legacy/clientscriptAPI.js @@ -1,12 +1,11 @@ // Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors // MIT License. See license.txt -get_server_fields = function(method, arg, table_field, doc, dt, dn, allow_edit, call_back) { +window.get_server_fields = function(method, arg, table_field, doc, dt, dn, allow_edit, call_back) { console.warn("This function 'get_server_fields' has been deprecated and will be removed soon."); frappe.dom.freeze(); if($.isPlainObject(arg)) arg = JSON.stringify(arg); - return $c('runserverobj', - args={'method': method, 'docs': JSON.stringify(doc), 'arg': arg }, + return $c('runserverobj', {'method': method, 'docs': JSON.stringify(doc), 'arg': arg }, function(r, rt) { frappe.dom.unfreeze(); if (r.message) { @@ -24,12 +23,11 @@ get_server_fields = function(method, arg, table_field, doc, dt, dn, allow_edit, doc = locals[doc.doctype][doc.name]; call_back(doc, dt, dn); } - } - ); + }); } -set_multiple = function (dt, dn, dict, table_field) { +window.set_multiple = function (dt, dn, dict, table_field) { var d = locals[dt][dn]; for(var key in dict) { d[key] = dict[key]; @@ -40,7 +38,7 @@ set_multiple = function (dt, dn, dict, table_field) { } } -refresh_many = function (flist, dn, table_field) { +window.refresh_many = function (flist, dn, table_field) { for(var i in flist) { if (table_field) refresh_field(flist[i], dn, table_field); @@ -49,7 +47,7 @@ refresh_many = function (flist, dn, table_field) { } } -set_field_tip = function(n,txt) { +window.set_field_tip = function(n,txt) { var df = frappe.meta.get_docfield(cur_frm.doctype, n, cur_frm.docname); if(df)df.description = txt; @@ -84,11 +82,11 @@ refresh_field = function(n, docname, table_field) { } } -set_field_options = function(n, txt) { +window.set_field_options = function(n, txt) { cur_frm.set_df_property(n, 'options', txt) } -set_field_permlevel = function(n, level) { +window.set_field_permlevel = function(n, level) { cur_frm.set_df_property(n, 'permlevel', level) } @@ -161,7 +159,7 @@ _f.Frm.prototype.set_currency_labels = function(fields_list, currency, parentfie _f.Frm.prototype.field_map = function(fnames, fn) { if(typeof fnames==='string') { if(fnames == '*') { - fnames = keys(this.fields_dict); + fnames = Object.keys(this.fields_dict); } else { fnames = [fnames]; } @@ -172,7 +170,7 @@ _f.Frm.prototype.field_map = function(fnames, fn) { if(field) { fn(field); cur_frm.refresh_field(fieldname); - }; + } } } @@ -192,14 +190,14 @@ _f.Frm.prototype.set_df_property = function(fieldname, property, value, docname, var df = this.get_docfield(fieldname); } else { var grid = cur_frm.fields_dict[table_field].grid, - fname = frappe.utils.filter_dict(grid.docfields, {'fieldname': fieldname}); + fname = frappe.utils.filter_dict(grid.docfields, {'fieldname': fieldname}); if (fname && fname.length) var df = frappe.meta.get_docfield(fname[0].parent, fieldname, docname); } if(df && df[property] != value) { df[property] = value; refresh_field(fieldname, table_field); - }; + } } _f.Frm.prototype.toggle_enable = function(fnames, enable) { @@ -279,7 +277,7 @@ _f.Frm.prototype.set_value = function(field, value, if_missing) { } } } else { - msgprint("Field " + f + " not found."); + frappe.msgprint(__("Field {0} not found.",[f])); throw "frm.set_value"; } } @@ -318,7 +316,7 @@ _f.Frm.prototype.call = function(opts, args, callback) { opts.child = locals[opts.child.doctype][opts.child.name]; var std_field_list = ["doctype"].concat(frappe.model.std_fields_list); - for (key in r.message) { + for (var key in r.message) { if (std_field_list.indexOf(key)===-1) { opts.child[key] = r.message[key]; } @@ -409,6 +407,7 @@ _f.Frm.prototype.has_mapper = function() { _f.Frm.prototype.set_indicator_formatter = function(fieldname, get_color, get_text) { // get doctype from parent + var doctype; if(frappe.meta.docfield_map[this.doctype][fieldname]) { doctype = this.doctype; } else { @@ -472,7 +471,7 @@ _f.Frm.prototype.make_new = function(doctype) { this.custom_buttons[this.custom_make_buttons[doctype]].trigger('click'); } else { frappe.model.with_doctype(doctype, function() { - new_doc = frappe.model.get_new_doc(doctype); + var new_doc = frappe.model.get_new_doc(doctype); // set link fields (if found) frappe.get_meta(doctype).fields.forEach(function(df) { diff --git a/frappe/public/js/legacy/datatype.js b/frappe/public/js/legacy/datatype.js index 6834d206c0..eb6f6b6760 100644 --- a/frappe/public/js/legacy/datatype.js +++ b/frappe/public/js/legacy/datatype.js @@ -17,7 +17,7 @@ function toTitle(str){ var word_in = str.split(" "); var word_out = []; - for(w in word_in){ + for(var w in word_in){ word_out[w] = word_in[w].charAt(0).toUpperCase() + word_in[w].slice(1); } @@ -76,12 +76,6 @@ var crop = function(s, len) { } -function keys(obj) { - var mykeys=[]; - for (var key in obj) mykeys[mykeys.length]=key; - return mykeys; -} - function has_words(list, item) { if(!item) return true; if(!list) return false; @@ -100,7 +94,6 @@ function has_common(list1, list2) { return false; } -var inList = in_list; // bc function add_lists(l1, l2) { return [].concat(l1).concat(l2); } diff --git a/frappe/public/js/legacy/dom.js b/frappe/public/js/legacy/dom.js index 25fc294214..13d1ab2942 100644 --- a/frappe/public/js/legacy/dom.js +++ b/frappe/public/js/legacy/dom.js @@ -66,7 +66,7 @@ function $bg(e,w) { if(e && e.style && w)e.style.backgroundColor = w; } function $y(ele, s) { if(ele && s) { for(var i in s) ele.style[i]=s[i]; - }; + } return ele; } @@ -86,7 +86,7 @@ function make_table(parent, nr, nc, table_width, widths, cell_style, table_style c.style.width = widths[ci]; } if(cell_style) { - for(var s in cell_style) c.style[s] = cell_style[s]; + for(var s in cell_style) c.style[s] = cell_style[s]; } } } @@ -164,5 +164,5 @@ frappe.urllib = { } } -get_url_arg = frappe.urllib.get_arg; -get_url_dict = frappe.urllib.get_dict; +window.get_url_arg = frappe.urllib.get_arg; +window.get_url_dict = frappe.urllib.get_dict; diff --git a/frappe/public/js/legacy/form.js b/frappe/public/js/legacy/form.js index 8aa1deb45c..24e73d3bd8 100644 --- a/frappe/public/js/legacy/form.js +++ b/frappe/public/js/legacy/form.js @@ -60,17 +60,17 @@ _f.Frm = function(doctype, parent, in_form) { _f.Frm.prototype.check_doctype_conflict = function(docname) { var me = this; if(this.doctype=='DocType' && docname=='DocType') { - msgprint(__('Allowing DocType, DocType. Be careful!')) + frappe.msgprint(__('Allowing DocType, DocType. Be careful!')) } else if(this.doctype=='DocType') { if (frappe.views.formview[docname] || frappe.pages['List/'+docname]) { window.location.reload(); - // msgprint(__("Cannot open {0} when its instance is open", ['DocType'])) + // frappe.msgprint(__("Cannot open {0} when its instance is open", ['DocType'])) // throw 'doctype open conflict' } } else { if (frappe.views.formview.DocType && frappe.views.formview.DocType.frm.opendocs[this.doctype]) { window.location.reload(); - // msgprint(__("Cannot open instance when its {0} is open", ['DocType'])) + // frappe.msgprint(__("Cannot open instance when its {0} is open", ['DocType'])) // throw 'doctype open conflict' } } @@ -136,12 +136,12 @@ _f.Frm.prototype.setup_drag_drop = function() { e.preventDefault(); if(me.doc.__islocal) { - msgprint(__("Please save before attaching.")); + frappe.msgprint(__("Please save before attaching.")); throw "attach error"; } if(me.attachments.max_reached()) { - msgprint(__("Maximum Attachment Limit for this record reached.")); + frappe.msgprint(__("Maximum Attachment Limit for this record reached.")); throw "attach error"; } @@ -173,7 +173,7 @@ _f.Frm.prototype.print_doc = function() { return; } if(!frappe.model.can_print(this.doc.doctype, this)) { - msgprint(__("You are not allowed to print this document")); + frappe.msgprint(__("You are not allowed to print this document")); return; } @@ -189,7 +189,7 @@ _f.Frm.prototype.set_hidden = function(status) { form_page.toggleClass('hidden', this.hidden); this.toolbar.refresh(); if(status===true) { - msg = __('Edit {0} properties', [__(this.doctype)]); + var msg = __('Edit {0} properties', [__(this.doctype)]); this.layout.show_message('

    '); } else { @@ -393,12 +393,11 @@ _f.Frm.prototype.refresh = function(docname) { if(docname) { // record switch - if(this.docname != docname && (!this.meta.in_dialog || this.in_form) && - !this.meta.istable) { - frappe.utils.scroll_to(0); - this.hide_print(); - } - frappe.ui.form.close_grid_form(); + if(this.docname != docname && (!this.meta.in_dialog || this.in_form) && !this.meta.istable) { + frappe.utils.scroll_to(0); + this.hide_print(); + } + frappe.ui.form.close_grid_form(); this.docname = docname; } @@ -691,7 +690,20 @@ _f.Frm.prototype.reload_doc = function() { } } -var validated; +frappe.validated = 0; +// Proxy for frappe.validated +Object.defineProperty(window, 'validated', { + get: function() { + console.warn('Please use `frappe.validated` instead of `validated`. It will be deprecated soon.'); + return frappe.validated; + }, + set: function(value) { + console.warn('Please use `frappe.validated` instead of `validated`. It will be deprecated soon.'); + frappe.validated = value; + return frappe.validated; + } +}); + _f.Frm.prototype.save = function(save_action, callback, btn, on_error) { btn && $(btn).prop("disabled", true); $(document.activeElement).blur(); @@ -728,12 +740,12 @@ _f.Frm.prototype._save = function(save_action, callback, btn, on_error) { if(save_action != "Update") { // validate - validated = true; + frappe.validated = true; $.when(this.script_manager.trigger("validate"), this.script_manager.trigger("before_save")) .done(function() { // done is called after all ajaxes in validate & before_save are completed :) - if(!validated) { + if(!frappe.validated) { btn && $(btn).prop("disabled", false); if(on_error) { on_error(); @@ -754,9 +766,9 @@ _f.Frm.prototype.savesubmit = function(btn, callback, on_error) { var me = this; this.validate_form_action("Submit"); frappe.confirm(__("Permanently Submit {0}?", [this.docname]), function() { - validated = true; + frappe.validated = true; me.script_manager.trigger("before_submit").done(function() { - if(!validated) { + if(!frappe.validated) { if(on_error) on_error(); return; @@ -777,9 +789,9 @@ _f.Frm.prototype.savecancel = function(btn, callback, on_error) { var me = this; this.validate_form_action('Cancel'); frappe.confirm(__("Permanently Cancel {0}?", [this.docname]), function() { - validated = true; + frappe.validated = true; me.script_manager.trigger("before_cancel").done(function() { - if(!validated) { + if(!frappe.validated) { if(on_error) on_error(); return; @@ -815,12 +827,12 @@ _f.Frm.prototype.amend_doc = function() { } this.validate_form_action("Amend"); var me = this; - var fn = function(newdoc) { - newdoc.amended_from = me.docname; - if(me.fields_dict && me.fields_dict['amendment_date']) - newdoc.amendment_date = dateutil.obj_to_str(new Date()); - } - this.copy_doc(fn, 1); + var fn = function(newdoc) { + newdoc.amended_from = me.docname; + if(me.fields_dict && me.fields_dict['amendment_date']) + newdoc.amendment_date = frappe.datetime.obj_to_str(new Date()); + } + this.copy_doc(fn, 1); frappe.utils.play_sound("click"); } diff --git a/frappe/public/js/legacy/globals.js b/frappe/public/js/legacy/globals.js index 7f348d89dd..46a4a4327e 100644 --- a/frappe/public/js/legacy/globals.js +++ b/frappe/public/js/legacy/globals.js @@ -7,8 +7,8 @@ frappe.provide('frappe.utils'); frappe.provide('frappe.model'); frappe.provide('frappe.user'); frappe.provide('frappe.session'); -frappe.provide('locals') -frappe.provide('locals.DocType') +frappe.provide('locals'); +frappe.provide('locals.DocType'); // for listviews frappe.provide("frappe.listview_settings"); @@ -23,14 +23,7 @@ var TAB = 9; var UP_ARROW = 38; var DOWN_ARROW = 40; -// user -var user=null; -var user=null; -var user_defaults=null; -var roles=null; -var user_fullname=null; -var user_email=null; -var user_img = {}; +// proxy for user globals defined in desk.js // Name Spaces // ============ @@ -39,7 +32,6 @@ var user_img = {}; var _f = {}; var _p = {}; var _r = {}; -// var FILTER_SEP = '\1'; // API globals var frms={}; diff --git a/frappe/public/js/legacy/handler.js b/frappe/public/js/legacy/handler.js index 022f6ee945..61d197b23a 100644 --- a/frappe/public/js/legacy/handler.js +++ b/frappe/public/js/legacy/handler.js @@ -20,7 +20,7 @@ function $c_obj(doc, method, arg, callback, no_spinner, freeze_msg, btn) { if(arg && typeof arg!='string') arg = JSON.stringify(arg); - args = { + var args = { cmd:'runserverobj', args: arg, method: method diff --git a/frappe/public/js/legacy/layout.js b/frappe/public/js/legacy/layout.js index 627d4a521f..c68e0c916c 100644 --- a/frappe/public/js/legacy/layout.js +++ b/frappe/public/js/legacy/layout.js @@ -43,6 +43,7 @@ Layout.prototype.addcell = function(width) { return this.cur_row.addCell(width); } +// eslint-disable-next-line Layout.prototype.setcolour = function(col) { $bg(cc,col); } Layout.prototype.show = function() { $(this.wrapper).toggle(false); } @@ -89,7 +90,7 @@ function LayoutCell(layout, layoutRow, width) { if(width) { // add '%' if user has forgotten var w = width + ''; if(w.substr(w.length-2, 2) != 'px') { - if(w.substr(w.length-1, 1) != "%") {width = width + '%'}; + if(w.substr(w.length-1, 1) != "%") {width = width + '%'} } } diff --git a/frappe/public/js/legacy/print_format.js b/frappe/public/js/legacy/print_format.js index 3a28fb1428..c4c060fa0e 100644 --- a/frappe/public/js/legacy/print_format.js +++ b/frappe/public/js/legacy/print_format.js @@ -34,7 +34,7 @@ _p.go = function(html) { _p.preview = function(html) { var w = window.open(); if(!w) { - msgprint(__("Please enable pop-ups")); + frappe.msgprint(__("Please enable pop-ups")); return; } w.document.write(html); @@ -113,7 +113,7 @@ $.extend(_p, { fmtname= "Standard"; } - args = { + var args = { fmtname: fmtname, onload: onload, no_letterhead: no_letterhead, @@ -121,12 +121,12 @@ $.extend(_p, { }; if(!cur_frm) { - msgprint(__("No document selected")); + frappe.msgprint(__("No document selected")); return; } if(!frappe.model.can_print(cur_frm.doctype, cur_frm)) { - msgprint(__("You are not allowed to print this document")); + frappe.msgprint(__("You are not allowed to print this document")); return; } @@ -145,7 +145,7 @@ $.extend(_p, { } else { var print_format_doc = locals["Print Format"][args.fmtname]; if(!print_format_doc) { - msgprint(__("Unknown Print Format: {0}", [args.fmtname])); + frappe.msgprint(__("Unknown Print Format: {0}", [args.fmtname])); return; } args.onload(_p.render({ @@ -220,7 +220,7 @@ $.extend(_p, { } if(args.doc && cint(args.doc.docstatus)==0 && is_doctype_submittable) { - draft = _p.head_banner_format(); + var draft = _p.head_banner_format(); draft = draft.replace("{{HEAD}}", "DRAFT"); draft = draft.replace("{{DESCRIPTION}}", "This box will go away after the document is submitted."); return draft; @@ -236,7 +236,7 @@ $.extend(_p, { */ show_archived: function(args) { if(args.doc && args.doc.__archived) { - archived = _p.head_banner_format(); + var archived = _p.head_banner_format(); archived = archived.replace("{{HEAD}}", "ARCHIVED"); archived = archived.replace("{{DESCRIPTION}}", "You must restore this document to make it editable."); return archived; @@ -252,7 +252,7 @@ $.extend(_p, { */ show_cancelled: function(args) { if(args.doc && args.doc.docstatus==2) { - cancelled = _p.head_banner_format(); + var cancelled = _p.head_banner_format(); cancelled = cancelled.replace("{{HEAD}}", "CANCELLED"); cancelled = cancelled.replace("{{DESCRIPTION}}", "You must amend this document to make it editable."); return cancelled; @@ -267,7 +267,7 @@ $.extend(_p, { var body_style = ''; var style_list = container.getElementsByTagName('style'); while(style_list && style_list.length>0) { - for(i in style_list) { + for(var i in style_list) { if(style_list[i] && style_list[i].innerHTML) { body_style += style_list[i].innerHTML; var parent = style_list[i].parentNode; @@ -282,7 +282,7 @@ $.extend(_p, { } // Concatenate all styles - style_concat = (args.only_body ? '' : _p.def_print_style_body) + var style_concat = (args.only_body ? '' : _p.def_print_style_body) + _p.def_print_style_other + args.style + body_style; return style_concat; @@ -625,7 +625,7 @@ $.extend(_p, { // If only one table is passed layout.cur_cell.appendChild(t); } else { - page_break = '\n\ + var page_break = '\n\
    '; @@ -662,7 +662,7 @@ $.extend(_p, { // If value or a numeric type then proceed // Add field table - row = _p.field_tab(layout.cur_cell); + var row = _p.field_tab(layout.cur_cell); // Add label row.cells[0].innerHTML = __(f.label ? f.label : f.fieldname); diff --git a/frappe/public/js/legacy/print_table.js b/frappe/public/js/legacy/print_table.js index d6d7d0578c..3c8562b1a6 100644 --- a/frappe/public/js/legacy/print_table.js +++ b/frappe/public/js/legacy/print_table.js @@ -141,7 +141,7 @@ frappe.printTable = Class.extend({ // get from doctype and redistribute to fit 100% if(!this.widths) { this.widths = $.map(this.columns, function(fieldname, ci) { - df = frappe.meta.docfield_map[me.tabletype][fieldname]; + var df = frappe.meta.docfield_map[me.tabletype][fieldname]; return df && df.print_width || (fieldname=="Sr" ? 30 : 80); }); @@ -192,7 +192,7 @@ frappe.printTable = Class.extend({ }, }) -function print_table(dt, dn, fieldname, tabletype, cols, head_labels, widths, condition, cssClass, modifier) { +window.print_table = function print_table(dt, dn, fieldname, tabletype, cols, head_labels, widths, condition, cssClass, modifier) { return new frappe.printTable({ doctype: dt, docname: dn, diff --git a/frappe/public/js/lib/datepicker/locale-all.js b/frappe/public/js/lib/datepicker/locale-all.js index 6893fbc169..0735fdb280 100644 --- a/frappe/public/js/lib/datepicker/locale-all.js +++ b/frappe/public/js/lib/datepicker/locale-all.js @@ -1,3 +1,16 @@ +;(function ($) { $.fn.datepicker.language['ar'] = { + days: ['الأحد', 'الأثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعه', 'السبت'], + daysShort: ['الأحد', 'الأثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعه', 'السبت'], + daysMin: ['الأحد', 'الأثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعه', 'السبت'], + months: ['يناير','فبراير','مارس','أبريل','مايو','يونيو', 'يوليو','أغسطس','سبتمبر','اكتوبر','نوفمبر','ديسمبر'], + monthsShort: ['يناير','فبراير','مارس','أبريل','مايو','يونيو', 'يوليو','أغسطس','سبتمبر','اكتوبر','نوفمبر','ديسمبر'], + today: 'اليوم', + clear: 'Clear', + dateFormat: 'dd/mm/yyyy', + timeFormat: 'hh:ii aa', + firstDay: 0 +}; })(jQuery); + ;(function ($) { $.fn.datepicker.language['cs'] = { days: ['Neděle', 'Pondělí', 'Úterý', 'Středa', 'Čtvrtek', 'Pátek', 'Sobota'], daysShort: ['Ne', 'Po', 'Út', 'St', 'Čt', 'Pá', 'So'], diff --git a/frappe/public/js/frappe/views/kanban/fluxify.min.js b/frappe/public/js/lib/fluxify.min.js similarity index 100% rename from frappe/public/js/frappe/views/kanban/fluxify.min.js rename to frappe/public/js/lib/fluxify.min.js diff --git a/frappe/public/js/lib/frappe-gantt/frappe-gantt.js b/frappe/public/js/lib/frappe-gantt/frappe-gantt.js index 4796517d5c..a20cada571 100755 --- a/frappe/public/js/lib/frappe-gantt/frappe-gantt.js +++ b/frappe/public/js/lib/frappe-gantt/frappe-gantt.js @@ -154,6 +154,11 @@ return /******/ (function(modules) { // webpackBootstrap task._start = moment(task.start, self.config.date_format); task._end = moment(task.end, self.config.date_format); + // make task invalid if duration too large + if (task._end.diff(task._start, 'years') > 10) { + task.end = null; + } + // cache index task._index = i; @@ -429,7 +434,7 @@ return /******/ (function(modules) { // webpackBootstrap self.canvas.rect(0, 0, grid_width, grid_height).addClass('grid-background').appendTo(self.element_groups.grid); self.canvas.attr({ - height: grid_height + self.config.padding, + height: grid_height + self.config.padding + 100, width: '100%' }); } diff --git a/frappe/public/js/lib/microtemplate.js b/frappe/public/js/lib/microtemplate.js index a84ca70b9c..2318b8ba78 100644 --- a/frappe/public/js/lib/microtemplate.js +++ b/frappe/public/js/lib/microtemplate.js @@ -82,7 +82,7 @@ frappe.render_template = function(name, data) { if(data===undefined) { data = {}; } - return frappe.render(frappe.templates[name], data, name); + return frappe.render(template, data, name); } frappe.render_grid = function(opts) { // build context @@ -93,6 +93,8 @@ frappe.render_grid = function(opts) { } else if(opts.grid) { opts.data = opts.grid.getData().getItems(); } + } else { + opts.columns = []; } // show landscape view if columns more than 10 diff --git a/frappe/public/less/gantt.less b/frappe/public/less/gantt.less new file mode 100644 index 0000000000..1b1676b305 --- /dev/null +++ b/frappe/public/less/gantt.less @@ -0,0 +1,13 @@ +@import "variables.less"; + +// gantt +.gantt { + .bar-milestone { + .bar { + fill: @red-light; + } + .bar-progress { + fill: @red; + } + } +} \ No newline at end of file diff --git a/frappe/public/less/kanban.less b/frappe/public/less/kanban.less index d10a606553..5991120076 100644 --- a/frappe/public/less/kanban.less +++ b/frappe/public/less/kanban.less @@ -153,6 +153,11 @@ height: 16px; } } + + .kanban-empty-state { + width: 100%; + line-height: 400px; + } } body[data-route*="Kanban"] { diff --git a/frappe/templates/includes/comments/comments.html b/frappe/templates/includes/comments/comments.html index 3dcecf5139..a5459229dc 100644 --- a/frappe/templates/includes/comments/comments.html +++ b/frappe/templates/includes/comments/comments.html @@ -93,12 +93,12 @@ } if(!args.comment_by_fullname || !args.comment_by || !args.comment) { - frappe.msgprint("All fields are necessary to submit the comment.") + frappe.msgprint("{{ _("All fields are necessary to submit the comment.") }}"); return false; } if (args.comment_by!=='Administrator' && !valid_email(args.comment_by)) { - frappe.msgprint("Please enter a valid email address."); + frappe.msgprint("{{ _("Please enter a valid email address.") }}"); return false; } diff --git a/frappe/templates/includes/contact.js b/frappe/templates/includes/contact.js index 869b4dce60..ed4f1cb52f 100644 --- a/frappe/templates/includes/contact.js +++ b/frappe/templates/includes/contact.js @@ -8,16 +8,16 @@ frappe.ready(function() { var message = $('[name="message"]').val(); if(!(email && message)) { - msgprint(__("Please enter both your email and message so that we \ - can get back to you. Thanks!")); + frappe.msgprint("{{ _("Please enter both your email and message so that we \ + can get back to you. Thanks!") }}"); return false; } - if(!valid_email(email)) { - msgprint(__("You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.")); - $('[name="email"]').focus(); - return false; + if(!validate_email(email)) { + frappe.msgprint("{{ _("You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.") }}"); + $('[name="email"]').focus(); + return false; } $("#contact-alert").toggle(false); @@ -27,15 +27,15 @@ frappe.ready(function() { message: message, callback: function(r) { if(r.message==="okay") { - msgprint(__("Thank you for your message")); + frappe.msgprint("{{ _("Thank you for your message") }}"); } else { - msgprint(__("There were errors")); + frappe.msgprint("{{ _("There were errors") }}"); console.log(r.exc); } $(':input').val(''); } }, this); - return false; + return false; }); }); diff --git a/frappe/templates/includes/login/login.js b/frappe/templates/includes/login/login.js index 633dc15a45..249487333e 100644 --- a/frappe/templates/includes/login/login.js +++ b/frappe/templates/includes/login/login.js @@ -18,7 +18,7 @@ login.bind_events = function() { args.pwd = $("#login_password").val(); args.device = "desktop"; if(!args.usr || !args.pwd) { - frappe.msgprint(__("Both login and password required")); + frappe.msgprint("{{ _("Both login and password required") }}"); return false; } login.call(args); @@ -33,7 +33,7 @@ login.bind_events = function() { args.redirect_to = get_url_arg("redirect-to") || ''; args.full_name = ($("#signup_fullname").val() || "").trim(); if(!args.email || !valid_email(args.email) || !args.full_name) { - login.set_indicator(__("Valid email and name required"), 'red'); + login.set_indicator("{{ _("Valid email and name required") }}", 'red'); return false; } login.call(args); @@ -46,7 +46,7 @@ login.bind_events = function() { args.cmd = "frappe.core.doctype.user.user.reset_password"; args.user = ($("#forgot_email").val() || "").trim(); if(!args.user) { - login.set_indicator(__("Valid Login id required."), 'red'); + login.set_indicator("{{ _("Valid Login id required.") }}", 'red'); return false; } login.call(args); @@ -60,7 +60,7 @@ login.bind_events = function() { args.pwd = $("#login_password").val(); args.device = "desktop"; if(!args.usr || !args.pwd) { - login.set_indicator(__("Both login and password required"), 'red'); + login.set_indicator("{{ _("Both login and password required") }}", 'red'); return false; } login.call(args); @@ -103,7 +103,7 @@ login.signup = function() { // Login login.call = function(args, callback) { - login.set_indicator(__('Verifying...'), 'blue'); + login.set_indicator("{{ _('Verifying...') }}", 'blue'); return frappe.call({ type: "POST", args: args, @@ -149,10 +149,10 @@ login.login_handlers = (function() { var login_handlers = { 200: function(data) { if(data.message=="Logged In") { - login.set_indicator(__("Success"), 'green'); + login.set_indicator("{{ _("Success") }}", 'green'); window.location.href = get_url_arg("redirect-to") || data.home_page; } else if(data.message=="No App") { - login.set_indicator(__("Success"), 'green'); + login.set_indicator("{{ _("Success") }}", 'green'); if(localStorage) { var last_visited = localStorage.getItem("last_visited") @@ -171,11 +171,11 @@ login.login_handlers = (function() { } } else if(window.location.hash === '#forgot') { if(data.message==='not found') { - login.set_indicator(__("Not a valid user"), 'red'); + login.set_indicator("{{ _("Not a valid user") }}", 'red'); } else if (data.message=='not allowed') { - login.set_indicator(__("Not Allowed"), 'red'); + login.set_indicator("{{ _("Not Allowed") }}", 'red'); } else { - login.set_indicator(__("Instructions Emailed"), 'green'); + login.set_indicator("{{ _("Instructions Emailed") }}", 'green'); } @@ -183,14 +183,14 @@ login.login_handlers = (function() { if(cint(data.message[0])==0) { login.set_indicator(data.message[1], 'red'); } else { - login.set_indicator(__('Success'), 'green'); + login.set_indicator("{{ _('Success') }}", 'green'); frappe.msgprint(data.message[1]) } //login.set_indicator(__(data.message), 'green'); } }, - 401: get_error_handler(__("Invalid Login. Try again.")), - 417: get_error_handler(__("Oops! Something went wrong")) + 401: get_error_handler("{{ _("Invalid Login. Try again.") }}"), + 417: get_error_handler("{{ _("Oops! Something went wrong") }}") }; return login_handlers; diff --git a/frappe/templates/styles/standard.css b/frappe/templates/styles/standard.css index da53ba4197..bdfc902ee4 100644 --- a/frappe/templates/styles/standard.css +++ b/frappe/templates/styles/standard.css @@ -54,6 +54,10 @@ margin-bottom: 5px; } +.data-field .value { + word-wrap: break-word; +} + .important .value { font-size: 120%; font-weight: bold; diff --git a/frappe/tests/test_document.py b/frappe/tests/test_document.py index 40d5108e12..3182b33f45 100644 --- a/frappe/tests/test_document.py +++ b/frappe/tests/test_document.py @@ -2,7 +2,7 @@ # MIT License. See license.txt from __future__ import unicode_literals -import frappe, unittest +import frappe, unittest, os class TestDocument(unittest.TestCase): def test_get_return_empty_list_for_table_field_if_none(self): @@ -182,6 +182,11 @@ class TestDocument(unittest.TestCase): self.assertTrue(escaped_xss in d.subject) def test_link_count(self): + if os.environ.get('CI'): + # cannot run this test reliably in travis due to its handling + # of parallelism + return + from frappe.model.utils.link_count import update_link_count update_link_count() @@ -192,17 +197,18 @@ class TestDocument(unittest.TestCase): d.ref_type = doctype d.ref_name = name + d.save() + link_count = frappe.cache().get_value('_link_count') or {} old_count = link_count.get((doctype, name)) or 0 - d.save() + frappe.db.commit() link_count = frappe.cache().get_value('_link_count') or {} new_count = link_count.get((doctype, name)) or 0 self.assertEquals(old_count + 1, new_count) - frappe.db.commit() before_update = frappe.db.get_value(doctype, name, 'idx') update_link_count() diff --git a/frappe/tests/test_domainification.py b/frappe/tests/test_domainification.py new file mode 100644 index 0000000000..58cac79f46 --- /dev/null +++ b/frappe/tests/test_domainification.py @@ -0,0 +1,136 @@ +# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors +# MIT License. See license.txt +from __future__ import unicode_literals + +import unittest, frappe +from frappe.core.page.permission_manager.permission_manager import get_roles_and_doctypes +from frappe.desk.doctype.desktop_icon.desktop_icon import (get_desktop_icons, add_user_icon, + clear_desktop_icons_cache) + +class TestDomainification(unittest.TestCase): + def setUp(self): + # create test domain + self.new_domain("_Test Domain 1") + self.new_domain("_Test Domain 2") + + self.remove_from_active_domains(remove_all=True) + self.add_active_domain("_Test Domain 1") + + def tearDown(self): + frappe.db.sql("delete from tabRole where name='_Test Role'") + frappe.db.sql("delete from tabDomain where name in ('_Test Domain 1', '_Test Domain 2')") + frappe.delete_doc('DocType', 'Test Domainification') + + def add_active_domain(self, domain): + """ add domain in active domain """ + + if not domain: + return + + domain_settings = frappe.get_doc("Domain Settings", "Domain Settings") + domain_settings.append("active_domains", { "domain": domain }) + domain_settings.save() + + def remove_from_active_domains(self, domain=None, remove_all=False): + """ remove domain from domain settings """ + if not domain: + return + + domain_settings = frappe.get_doc("Domain Settings", "Domain Settings") + + if remove_all: + domain_settings.set("active_domains", []) + else: + to_remove = [] + [ to_remove.append(row) for row in domain_settings.active_domains if row.domain == domain ] + [ domain_settings.remove(row) for row in to_remove ] + + domain_settings.save() + + def new_domain(self, domain): + # create new domain + frappe.get_doc({ + "doctype": "Domain", + "domain": domain + }).insert() + + def new_doctype(self, name): + return frappe.get_doc({ + "doctype": "DocType", + "module": "Core", + "custom": 1, + "fields": [{"label": "Some Field", "fieldname": "some_fieldname", "fieldtype": "Data"}], + "permissions": [{"role": "System Manager", "read": 1}], + "name": name + }) + + def test_active_domains(self): + self.assertTrue("_Test Domain 1" in frappe.get_active_domains()) + self.assertFalse("_Test Domain 2" in frappe.get_active_domains()) + + self.add_active_domain("_Test Domain 2") + self.assertTrue("_Test Domain 2" in frappe.get_active_domains()) + + self.remove_from_active_domains("_Test Domain 1") + self.assertTrue("_Test Domain 1" not in frappe.get_active_domains()) + + def test_doctype_and_role_domainification(self): + """ + test if doctype is hidden if the doctype's restrict to domain is not included + in active domains + """ + + test_doctype = self.new_doctype("Test Domainification") + test_doctype.insert() + + test_role = frappe.get_doc({ + "doctype": "Role", + "role_name": "_Test Role" + }).insert() + + # doctype should be hidden in desktop icon, role permissions + results = get_roles_and_doctypes() + self.assertTrue("Test Domainification" in results.get("doctypes")) + self.assertTrue("_Test Role" in results.get("roles")) + + self.add_active_domain("_Test Domain 2") + test_doctype.restrict_to_domain = "_Test Domain 2" + test_doctype.save() + + test_role.restrict_to_domain = "_Test Domain 2" + test_role.save() + + results = get_roles_and_doctypes() + self.assertTrue("Test Domainification" in results.get("doctypes")) + self.assertTrue("_Test Role" in results.get("roles")) + + self.remove_from_active_domains("_Test Domain 2") + results = get_roles_and_doctypes() + + self.assertTrue("Test Domainification" not in results.get("doctypes")) + self.assertTrue("_Test Role" not in results.get("roles")) + + def test_desktop_icon_for_domainification(self): + """ desktop icon should be hidden if doctype's restrict to domain is not in active domains """ + + test_doctype = self.new_doctype("Test Domainification") + test_doctype.restrict_to_domain = "_Test Domain 2" + test_doctype.insert() + + self.add_active_domain("_Test Domain 2") + add_user_icon('Test Domainification') + + icons = get_desktop_icons() + + doctypes = [icon.get("_doctype") for icon in icons if icon.get("_doctype") == "Test Domainification" \ + and icon.get("blocked") == 0] + self.assertTrue("Test Domainification" in doctypes) + + # doctype should be hidden from the desk + self.remove_from_active_domains("_Test Domain 2") + clear_desktop_icons_cache() # clear cache to fetch the desktop icon according to new active domains + icons = get_desktop_icons() + + doctypes = [icon.get("_doctype") for icon in icons if icon.get("_doctype") == "Test Domainification" \ + and icon.get("blocked") == 0] + self.assertFalse("Test Domainification" in doctypes) diff --git a/frappe/tests/testcafe/0-test_setup_wizard.js b/frappe/tests/testcafe/0-test_setup_wizard.js deleted file mode 100644 index f1067f3068..0000000000 --- a/frappe/tests/testcafe/0-test_setup_wizard.js +++ /dev/null @@ -1,64 +0,0 @@ -import { Selector } from 'testcafe'; - -fixture `Setup Wizard` - .page `http://localhost:8000/login`; - -test('Setup Wizard Test', async t => { - const wizard_heading = Selector(() => { - return $('p.lead:visible')[0]; - }) - const lang = Selector("select[data-fieldname='language']") - const next_btn = Selector("a.next-btn") - const country = Selector("select[data-fieldname='country']") - const timezone = Selector("select[data-fieldname='timezone']") - const currency = Selector("select[data-fieldname='currency']") - const full_name = Selector("input[data-fieldname='full_name']") - const email = Selector("input[data-fieldname='email']") - const password = Selector("input[data-fieldname='password']") - const upload_input = Selector("input.input-upload-file") - const upload_btn = Selector("button").withText("Upload") - const modal_close_btn = Selector("div.modal.in button.btn-modal-close") - const missing_image_div = Selector("div.missing-image") - const complete_setup = Selector("a.complete-btn").nth(2) - const setup_complete_div = Selector("p").withText("Setup Complete") - - - - await t - .typeText('#login_email', 'Administrator') - .typeText('#login_password', 'admin') - .click('.btn-login') - .navigateTo('/desk#setup-wizard') - - // Step 0 - .expect(wizard_heading.innerText).eql("Welcome") - .click(lang) - .click("option[value='English (United States)']") - .expect(lang.value).eql("English (United States)") - .click(next_btn) - - // Step 1 - .expect(wizard_heading.innerText).eql("Region") - .click(country) - .click("option[value='India']") - .expect(country.value).eql("India") - .expect(timezone.value).eql("Asia/Kolkata") - .expect(currency.value).eql("INR") - .click(next_btn.nth(1)) - - // Step 2 - .expect(wizard_heading.innerText).eql("The First User: You") - .typeText(full_name, "Jane Doe") - .expect(full_name.value).eql("Jane Doe") - .typeText(email, "jane_doe@example.com") - .expect(email.value).eql("jane_doe@example.com") - .typeText(password, "password") - .expect(password.value).eql("password") - .click("button[data-fieldname='attach_user']") - .setFilesToUpload(upload_input, './uploads/user_picture.svg') - .click(upload_btn) - .click(modal_close_btn) - .expect(missing_image_div.visible).notOk() - .click(complete_setup) - .expect(setup_complete_div.visible).ok() -}); diff --git a/frappe/tests/testcafe/test_todo.js b/frappe/tests/testcafe/test_todo.js deleted file mode 100644 index 934655dd25..0000000000 --- a/frappe/tests/testcafe/test_todo.js +++ /dev/null @@ -1,56 +0,0 @@ -import { Selector } from 'testcafe'; - -function today(){ - var today = new Date(); - var dd = today.getDate(); - var mm = today.getMonth()+1; //January is 0! - var yyyy = today.getFullYear(); - var today = dd+'-'+mm+'-'+yyyy; - return today; -} - -fixture `ToDo Tests` - .page `http://localhost:8000/login`; - -test('ToDo - Insert, List and Delete', async t => { - const new_btn = Selector("button.btn-primary").withText("New") - const priority = Selector("select[data-fieldname='priority']") - const desc = Selector("[data-fieldname='description'] div.note-editable") - const save_btn = Selector("button.primary-action").withText("Save") - const mytodo = Selector("a.list-id").withText("TestCafe.") - const menu_btn = Selector("[data-page-route='Form/ToDo'] .menu-btn-group button") - const yes_btn = Selector("button.btn-primary", {visibilityCheck: true}).withText("Yes") - const refresh_btn = Selector("button").withText("Refresh") - const delete_btn = Selector("a").withText("Delete") - - await t - .typeText('#login_email', 'jane_doe@example.com') - .typeText('#login_password', 'password') - .click('.btn-login') - .navigateTo('/desk#List/ToDo') - - // ToDo Insert - .click(new_btn) - .click("a.edit-full") - .typeText("input[data-fieldname='date']", today()) - .click(priority) - .click("option[value='High']") - .expect(priority.value).eql("High") - .typeText(desc, "Finish writing ToDo tests in TestCafe.") - .click(save_btn) - .wait(200) - - // Check List View - .click("a[href='#List/ToDo']") - .expect(mytodo.visible).ok() - - //ToDo Delete - .click(mytodo) - .click(menu_btn) - .click(delete_btn) - .click(yes_btn) - - // Check ListView Again - .click(refresh_btn) - .expect(mytodo.exists).notOk() -}); diff --git a/frappe/tests/testcafe/uploads/user_picture.svg b/frappe/tests/testcafe/uploads/user_picture.svg deleted file mode 100644 index b211c67325..0000000000 --- a/frappe/tests/testcafe/uploads/user_picture.svg +++ /dev/null @@ -1,22 +0,0 @@ - - - - - Abstract user icon - - - - - - - - - - - \ No newline at end of file diff --git a/frappe/tests/ui/login.js b/frappe/tests/ui/login.js new file mode 100644 index 0000000000..4d9c8ef21b --- /dev/null +++ b/frappe/tests/ui/login.js @@ -0,0 +1,19 @@ +module.exports = { + beforeEach: browser => { + browser + .url(browser.launch_url + '/login') + .waitForElementVisible('body', 5000) + }, + 'Login': browser => { + browser + .assert.title('Login') + .assert.visible('#login_email', 'Check if login box is visible') + .setValue("#login_email", "Administrator") + .setValue("#login_password", "admin") + .click(".btn-login") + .waitForElementVisible("#body_div", 15000); + }, + after: browser => { + browser.end(); + }, +}; \ No newline at end of file diff --git a/frappe/translate.py b/frappe/translate.py index 8ee83a67a6..2c2f39d521 100644 --- a/frappe/translate.py +++ b/frappe/translate.py @@ -3,6 +3,8 @@ from __future__ import unicode_literals, print_function +from six import iteritems + """ frappe.translate ~~~~~~~~~~~~~~~~ @@ -120,7 +122,7 @@ def get_dict(fortype, name=None): message_dict.update(get_dict_from_hooks(fortype, name)) # remove untranslated - message_dict = {k:v for k, v in message_dict.iteritems() if k!=v} + message_dict = {k:v for k, v in iteritems(message_dict) if k!=v} translation_assets[asset_key] = message_dict diff --git a/frappe/translations/am.csv b/frappe/translations/am.csv index 62dc019a9d..015670ad6a 100644 --- a/frappe/translations/am.csv +++ b/frappe/translations/am.csv @@ -1,5 +1,5 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,አንድ መጠን መስክ እባክዎ ይምረጡ. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,Esc ይጫኑ ለመዝጋት +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,Esc ይጫኑ ለመዝጋት apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}","አዲስ ተግባር, {0}: {1} የተሰጠህ ተደርጓል. {2}" DocType: Email Queue,Email Queue records.,የኢሜይል ወረፋ መዝገቦች. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,ልጥፍ @@ -48,7 +48,7 @@ apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}","{0}, የረድፍ apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,አንድ FULLNAME መስጠት እባክህ. apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,ፋይሎችን በመስቀል ላይ ስህተት. apps/frappe/frappe/model/document.py +908,Beginning with,ጀምሮ -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,የውሂብ አስመጣ አብነት +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,የውሂብ አስመጣ አብነት apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,ወላጅ DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.","የነቃ ከሆነ, የይለፍ ቃል ጥንካሬ ዝቅተኛ የይለፍ ውጤት ዋጋ ላይ ተመስርቶ ተፈጻሚ ይሆናል. 2 አንድ እሴት በመካከለኛ ጠንካራ መሆን እና 4 በጣም ጠንካራ መሆን." DocType: About Us Settings,"""Team Members"" or ""Management""","ቡድን አባላት" ወይም "አስተዳደር" @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,የሙ DocType: Auto Email Report,Monthly,ወርሃዊ DocType: Email Account,Enable Incoming,ገቢ አንቃ apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,አደጋ -apps/frappe/frappe/www/login.html +19,Email Address,የ ኢሜል አድራሻ +apps/frappe/frappe/www/login.html +22,Email Address,የ ኢሜል አድራሻ DocType: Workflow State,th-large,ኛ-ትልቅ DocType: Communication,Unread Notification Sent,የተላከ ያልተነበበ ማሳወቂያ apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,ወደ ውጪ ላክ አይፈቀድም. እርስዎ ወደ ውጪ ወደ {0} ሚና ያስፈልገናል. DocType: DocType,Is Published Field,መስክ የታተመ ነው DocType: Email Group,Email Group,የኢሜይል ቡድን DocType: Note,Seen By,በ ተመልክቻለሁ -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,አይደለም -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,በመስክ የማሳያ መለያ አዘጋጅ +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,አይደለም +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,በመስክ የማሳያ መለያ አዘጋጅ apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},ትክክል ያልሆነ እሴት: {0} መሆን አለበት {1} {2} apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)","ለውጥ መስክ ንብረቶች (ደብቅ, ተነባቢ ብቻ, ፈቃድ ወዘተ)" apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,ማህበራዊ መግቢያ ቁልፎች ውስጥ Frappe አገልጋይ ዩ አር ኤል ይግለጹ @@ -76,8 +76,8 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,ያግኙ apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,አስተዳዳሪ የወጡ DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.","ወዘተ "የሽያጭ መጠይቅ, ድጋፍ መጠይቅ" እንደ የእውቂያ አማራጮች, አዲስ መስመር ላይ በእያንዳንዱ ወይም በኮማ የተለዩ." apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. አውርድ -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,አስገባ -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},ይምረጡ {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,አስገባ +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},ይምረጡ {0} DocType: Print Settings,Classic,ክላሲክ DocType: Desktop Icon,Color,ቀለም apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,ሊታዩ @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,ኤልዲኤፒ ፍለጋ ገመድ DocType: Translation,Translation,ትርጉም apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,ጫን DocType: Custom Script,Client,ደምበኛ -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,እርስዎ ሊጫን በኋላ ይህ ቅጽ ተቀይሯል +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,እርስዎ ሊጫን በኋላ ይህ ቅጽ ተቀይሯል DocType: User Permission for Page and Report,User Permission for Page and Report,ገጽ እና ሪፖርት የተጠቃሚ ፈቃድ DocType: System Settings,"If not set, the currency precision will depend on number format","ካልተዘጋጀ, ምንዛሬ ዝንፍ ቁጥር ቅርጸት ላይ ይወሰናል" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',ምፈልገው ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,ድረ-ገጾች ላይ ክተት ምስል ተንሸራታች. -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,ላክ +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,ላክ DocType: Workflow Action,Workflow Action Name,የስራ ፍሰት የእርምጃ ስም apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,DocType ሊዋሃዱ አይችሉም DocType: Web Form Field,Fieldtype,Fieldtype apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,አይደለም ዚፕ ፋይል +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} አመት (ዎች) በፊት apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}","ሠንጠረዥ {0} ላይ ያስፈልጋል አስገዳጅ መስኮች, የረድፍ {1}" -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,አብይ በጣም ብዙ ለመርዳት አይደለም. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,አብይ በጣም ብዙ ለመርዳት አይደለም. DocType: Error Snapshot,Friendly Title,ተስማሚ ርዕስ DocType: Newsletter,Email Sent?,ኢሜይል የላከው ማን ነው? DocType: Authentication Log,Authentication Log,ማረጋገጫ ምዝግብ ማስታወሻ @@ -138,7 +138,7 @@ DocType: OAuth Bearer Token,Refresh Token,አድስ ማስመሰያ apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,አንተ DocType: Website Theme,lowercase,ፊደሎች DocType: Print Format,Helvetica,Helvetica -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,ጋዚጣ አስቀድሞ ተልኳል +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,ጋዚጣ አስቀድሞ ተልኳል DocType: Unhandled Email,Reason,ምክንያት apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,ተጠቃሚ እባክዎን ይግለጹ DocType: Email Unsubscribe,Email Unsubscribe,ኢሜይል ከደንበኝነት @@ -147,30 +147,30 @@ apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multip apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,የ የስርዓት አስተዳዳሪ ይሆናል የመጀመሪያው ተጠቃሚ (ይህንን በኋላ ላይ መቀየር ይችላሉ). ,App Installer,የመተግበሪያ ጫኝ DocType: Workflow State,circle-arrow-up,ክበብ-ቀስት-ምትኬ -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,በመስቀል ላይ ... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,በመስቀል ላይ ... DocType: Email Domain,Email Domain,የኢሜይል ጎራ DocType: Workflow State,italic,ሰያፍ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,ለሁሉም apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,{0}: ይፍጠሩ ያለ አስመጣ ማዘጋጀት አይቻልም apps/frappe/frappe/config/desk.py +26,Event and other calendars.,ክስተት እና ሌሎች የቀን መቁጠሪያዎች. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,አምዶች ለመደርደር ይጎትቱ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,አምዶች ለመደርደር ይጎትቱ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,ስፋቶችን ፒክስል ወይም በ% ማስተካከል ይቻላል. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,መጀመሪያ +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,መጀመሪያ DocType: User,First Name,የመጀመሪያ ስም DocType: LDAP Settings,LDAP Username Field,ኤልዲኤፒ የተጠቃሚ ስም መስክ DocType: Portal Settings,Standard Sidebar Menu,መደበኛ የጎን አሞሌ ምናሌ apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,ቤት እና አባሪዎች አቃፊዎችን መሰረዝ አልተቻለም apps/frappe/frappe/config/desk.py +19,Files,ፋይሎች apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,ፍቃዶች እነርሱ የተመደቡት እነዚህን ነገሮች ሚናዎች ላይ የተመሠረቱ ተጠቃሚዎች ላይ ተግባራዊ ያግኙ. -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,በዚህ ሰነድ ጋር የተዛመዱ ኢሜይሎችን መላክ አይፈቀዱም +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,በዚህ ሰነድ ጋር የተዛመዱ ኢሜይሎችን መላክ አይፈቀዱም apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,{0} ለመደርደር / ቡድን ከ atleast 1 አምድ ይምረጡ DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,የ ማጠሪያ ኤ ፒ አይን በመጠቀም ክፍያዎን በመሞከር ከሆነ ይህንን ያረጋግጡ apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,አንድ መደበኛ ድረ-ገጽታ መሰረዝ አይፈቀድም DocType: Feedback Trigger,Example,ለምሳሌ DocType: Workflow State,gift,ስጦታ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Reqd +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Reqd apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},አባሪ ማግኘት አልተቻለም {0} -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,ወደ መስክ ፈቃድ ደረጃ መመደብ. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,ወደ መስክ ፈቃድ ደረጃ መመደብ. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,አስወግድ አይቻልም apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,እናንተ የምትፈልጉት ሃብት አይገኝም apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,አሳይ / ደብቅ ሞዱሎች @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,አሳይ DocType: Email Group,Total Subscribers,ጠቅላላ ተመዝጋቢዎች apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.","አንድ ሚና ደረጃ 0 ላይ መዳረሻ ከሌለው, ከዚያ ከፍተኛ ደረጃ ትርጉም የለሽ ናቸው." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,አስቀምጥ እንደ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,አስቀምጥ እንደ DocType: Communication,Seen,የታየው -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,ተጨማሪ ዝርዝሮችን አሳይ +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,ተጨማሪ ዝርዝሮችን አሳይ DocType: System Settings,Run scheduled jobs only if checked,መርጠነው ከሆነ ብቻ ነው መርሐግብር ስራዎችን አሂድ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,ክፍል ርዕሶች የነቃ ከሆነ ብቻ ነው ይታያሉ apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,ማህደር @@ -240,7 +240,7 @@ apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,በ DocType: Web Form,Button Help,የአዝራር እገዛ DocType: Kanban Board Column,purple,ሐምራዊ DocType: About Us Settings,Team Members,ቡድን አባላት -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,አንድ ፋይል ማያያዝ ወይም ዩ አር ኤል ማዘጋጀት እባክዎ +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,አንድ ፋይል ማያያዝ ወይም ዩ አር ኤል ማዘጋጀት እባክዎ DocType: Async Task,System Manager,የስርዓት አስተዳዳሪ DocType: Custom DocPerm,Permissions,ፍቃዶች DocType: Dropbox Settings,Allow Dropbox Access,መሸወጃ መዳረሻ ፍቀድ @@ -263,7 +263,7 @@ apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,ስቀል DocType: Block Module,Block Module,አግድ ሞዱል apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,ወደ ውጪ ላክ አብነት apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,አዲስ እሴት -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,ፈቃድ የለም አርትዕ ለማድረግ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,ፈቃድ የለም አርትዕ ለማድረግ apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,አንድ አምድ ያክሉ apps/frappe/frappe/www/contact.html +30,Your email address,የእርስዎ ኢሜይል አድራሻ DocType: Desktop Icon,Module,ሞዱል @@ -273,11 +273,11 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,ማውጫ ነው DocType: Email Account,Total number of emails to sync in initial sync process ,ኢሜይሎች ጠቅላላ ብዛት የመጀመሪያ ማመሳሰል ሂደት ውስጥ ለማመሳሰል DocType: Website Settings,Set Banner from Image,ምስል ከ አዘጋጅ ሰንደቅ -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,ግሎባል ፍለጋ +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,ግሎባል ፍለጋ DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},አዲስ መለያ ላይ ለእርስዎ ተፈጥሯል {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,መመሪያዎች ኢሜይል የተደረገለት -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),ያስገቡ የኢሜይል ተቀባይ (ዎች) +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),ያስገቡ የኢሜይል ተቀባይ (ዎች) DocType: Print Format,Verdana,ቨረንዳ DocType: Email Flag Queue,Email Flag Queue,የኢሜይል ይጠቁሙ ወረፋ apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,ክፍት መለየት አይቻልም {0}. ሌላ ነገር ይሞክሩ. @@ -291,13 +291,13 @@ DocType: Communication,Message ID,የመልዕክት መታወቂያ DocType: Property Setter,Field Name,የመስክ ስም apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,ምንም ውጤት apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,ወይም -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,ሞጁል ስም ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,ሞጁል ስም ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,ቀጥል DocType: Custom Field,Fieldname,Fieldname DocType: Workflow State,certificate,የምስክር ወረቀት DocType: User,Tile,ሰቅ apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,በማረጋገጥ ላይ ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,የመጀመሪያው ውሂብ ዓምድ ባዶ መሆን አለበት. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,የመጀመሪያው ውሂብ ዓምድ ባዶ መሆን አለበት. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,ሁሉንም ስሪቶች አሳይ DocType: Workflow State,Print,እትም DocType: User,Restrict IP,የ IP ገድብ @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,የሽያጭ መምህር አስተዳዳ apps/frappe/frappe/www/complete_signup.html +13,One Last Step,አንድ የመጨረሻ ደረጃ apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,የ የሰነድ አይነት (DocType) ይህን መስክ ጋር የተገናኙ መሆን ይፈልጋሉ ስም. ለምሳሌ ደንበኛ DocType: User,Roles Assigned,ሚናዎችን የተመደበው -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,የፍለጋ እገዛ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,የፍለጋ እገዛ DocType: Top Bar Item,Parent Label,የወላጅ መለያ ስም apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.","ጥያቄዎ ደርሶናል ተደርጓል. በቅርቡ ምላሽ ይሆናል. ማንኛውም ተጨማሪ መረጃ ያላቸው ከሆነ, ይህን መልዕክት ምላሽ ይስጡ." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,ፍቃዶች በራስ-ሰር መደበኛ ሪፖርቶች እና ፍለጋዎች ይተረጎማሉ. @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,አርትዕ HEADING DocType: File,File URL,ፋይል ዩ አር ኤል DocType: Version,Table HTML,ማውጫ ኤችቲኤምኤል -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,ተመዝጋቢዎች ያክሉ +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,ተመዝጋቢዎች ያክሉ apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,ዛሬ ለ መጪ ክስተቶች DocType: Email Alert Recipient,Email By Document Field,ሰነድ መስክ በ ኢሜይል apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,አሻሽል apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},ማገናኘት አይቻልም: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,በራሱ አንድ ቃል ለመገመት ቀላል ነው. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,በራሱ አንድ ቃል ለመገመት ቀላል ነው. apps/frappe/frappe/www/search.html +11,Search...,ፈልግ ... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,ሕዋሶችን መካከል ብቻ የሚቻል ቡድን-ቡድን-ወይም ቅጠል መስቀለኛ መንገድ-ወደ-ቅጠል መስቀለኛ መንገድ apps/frappe/frappe/utils/file_manager.py +43,Added {0},ታክሏል {0} apps/frappe/frappe/www/search.html +28,No matching records. Search something new,ምንም ተዛማጅ ሰነዶች. አዲስ ነገር ፈልግ DocType: Currency,Fraction Units,ክፍልፋይ አሃዶች -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} ከ {1} ወደ {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} ከ {1} ወደ {2} DocType: Communication,Type,ዓይነት +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,ውቅረት> ኢሜይል> ኢሜይል መለያ ከ እባክዎ ማዋቀር ነባሪውን የኢሜይል መለያ DocType: Authentication Log,Subject,ትምህርት DocType: Web Form,Amount Based On Field,የገንዘብ መጠን መስክ ላይ የተመሠረተ apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,የተጠቃሚ አጋራ ግዴታ ነው @@ -349,10 +350,10 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0} አስ apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.","የጋራ ሐረጎች ለማስቀረት, ጥቂት ቃላትን ይጠቀሙ." DocType: Workflow State,plane,አውሮፕላን apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,ውይ. ክፍያዎ አልተሳካም. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","አዲስ ሪኮርድ እየሰቀሉ ከሆነ በአሁኑ ጊዜ ከሆነ, "ተከታታይ መሰየምን", የግዴታ ይሆናል." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","አዲስ ሪኮርድ እየሰቀሉ ከሆነ በአሁኑ ጊዜ ከሆነ, "ተከታታይ መሰየምን", የግዴታ ይሆናል." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,በዛሬው ጊዜ ማንቂያዎች ያግኙ apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,DocType ብቻ አስተዳዳሪ ተሰይሟል ይችላል -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},ሊቀየር እሴት {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},ሊቀየር እሴት {0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,ማረጋገጫ ለማግኘት እባክዎ ኢሜይልዎን ያረጋግጡ apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,ከዚህም በረት ያልሆኑ ቅጽ መጨረሻ ላይ መሆን አይችልም @@ -364,8 +365,9 @@ DocType: Auto Email Report,No of Rows (Max 500),ረድፎች አይ (ከፍተ DocType: Language,Language Code,የቋንቋ ኮድ apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...","የእርስዎ ውርድ እየተገነባ ነው, ይሄ ጥቂት ጊዜ ሊወስድ ይችላል ..." apps/frappe/frappe/www/feedback.html +23,Your rating: ,የእርስዎ ደረጃ: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} እና {1} +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} እና {1} DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents",ሁልጊዜ የሕትመት ረቂቅ ሰነዶች ርዕስ "ረቂቅ" ለማከል +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,የኢሜይል እንደ አይፈለጌ መልዕክት ምልክት ተደርጎበታል DocType: About Us Settings,Website Manager,የድር ጣቢያ አስተዳዳሪ apps/frappe/frappe/model/document.py +1048,Document Queued,የሰነድ ወረፋ DocType: Desktop Icon,List,ዝርዝር @@ -377,7 +379,7 @@ DocType: Print Settings,Send document web view link in email,በኢሜይል ው apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,ሰነድ የእርስዎ ግብረ {0} በተሳካ ሁኔታ ተቀምጧል ነው apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,ቀዳሚ apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,ጉዳዩ: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} ለ ረድፎች {1} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} ለ ረድፎች {1} DocType: Currency,"Sub-currency. For e.g. ""Cent""",ንዑስ-ምንዛሬ. ለምሳሌ "ሳንቲም" ለ apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,የተሰቀለ ፋይል ይምረጡ DocType: Letter Head,Check this to make this the default letter head in all prints,ሁሉም ህትመቶች ውስጥ ይህን የነባሪ ደብዳቤ ራስ ለማድረግ ይህንን ምልክት ያድርጉ @@ -387,12 +389,11 @@ DocType: Desktop Icon,Link,ማያያዣ apps/frappe/frappe/utils/file_manager.py +96,No file attached,የተያያዘው ምንም ፋይል DocType: Version,Version,ትርጉም DocType: User,Fill Screen,ማያ ገጽ ሙላ -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","በጎደለ ውሂብ, ይህ ዛፍ ሪፖርት ለማሳየት አልተቻለም. አብዛኞቹ አይቀርም, ይህን ምክንያት ፍቃዶች አጣርተው ነው." -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. የሚከተለውን ይምረጡ-ፋይል -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,ስቀል በኩል አርትዕ -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer","የሰነድ ዓይነት ..., ለምሳሌ የደንበኛ" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","በጎደለ ውሂብ, ይህ ዛፍ ሪፖርት ለማሳየት አልተቻለም. አብዛኞቹ አይቀርም, ይህን ምክንያት ፍቃዶች አጣርተው ነው." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. የሚከተለውን ይምረጡ-ፋይል +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,ስቀል በኩል አርትዕ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer","የሰነድ ዓይነት ..., ለምሳሌ የደንበኛ" apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,ሁኔታ «{0}» ልክ ያልሆነ ነው -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,ውቅረት> የተጠቃሚ ፍቃዶች አስኪያጅ DocType: Workflow State,barcode,የአሞሌ apps/frappe/frappe/config/setup.py +226,Add your own translations,የእራስዎ ትርጉሞችን ያክሉ DocType: Country,Country Name,የአገር ስም @@ -411,9 +412,11 @@ DocType: Workflow State,exclamation-sign,ቃለ አጋኖ-ምልክት apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,ፍቃዶችን አሳይ apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,የጊዜ ሂደት መስክ አንድ አገናኝ ወይም ተለዋዋጭ አገናኝ መሆን አለበት apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,መሸወጃ ማየታችንን ሞዱል ይጫኑ +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,ቀን ክልል apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,Gantt apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},ገጽ {0} ከ {1} DocType: About Us Settings,Introduce your company to the website visitor.,ድር ጎብኚ የእርስዎን ኩባንያ ማስተዋወቅ. +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json","የኢንክሪፕሽን ቁልፍ ልክ ያልሆነ ነው, site_config.json ያረጋግጡ" apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,ወደ DocType: Kanban Board Column,darkgrey,darkgrey apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},ስኬታማ: {0} ወደ {1} @@ -442,13 +445,13 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,ይበልጥ DocType: Contact,Sales Manager,የሽያጭ ሃላፊ apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,ዳግም ሰይም DocType: Print Format,Format Data,ቅርጸት ውሂብ -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,እንደ +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,እንደ DocType: Customize Form Field,Customize Form Field,ቅጽ መስክ ያብጁ apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,ተጠቃሚ ፍቀድ DocType: OAuth Client,Grant Type,ፍቃድ ስጥ አይነት apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,አንድ ተጠቃሚ የማበጀት ናቸው ሰነዶች ይመልከቱ apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,እንደ ልዩ ምልክት% መጠቀም -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?",የኢሜይል ጎራ አንድ ፍጠር: ለዚህ መለያ አልተዋቀረም? +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?",የኢሜይል ጎራ አንድ ፍጠር: ለዚህ መለያ አልተዋቀረም? DocType: User,Reset Password Key,ዳግም አስጀምር የይለፍ ቁልፍ DocType: Email Account,Enable Auto Reply,ራስ-መልስ አንቃ apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,አይቼዋለሁ አይደለም @@ -463,13 +466,13 @@ DocType: DocType,Fields,መስኮች DocType: System Settings,Your organization name and address for the email footer.,የኢሜይል ግርጌ የእርስዎ ድርጅት ስም እና አድራሻ. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,ወላጅ ማውጫ apps/frappe/frappe/config/desktop.py +60,Developer,ገንቢ -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,የተፈጠረ +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,የተፈጠረ apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} ረድፍ ውስጥ {1} ሁለቱም ዩአርኤል እና ልጅ ንጥሎች ሊኖሩት አይችልም apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,{0} ሥር ሊሰረዝ አይችልም apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,እስካሁን ምንም አስተያየቶች የሉም apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,ያስፈልጋል ሁለቱም DocType እና ስም apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,1 ከ 0 docstatus መቀየር አይቻልም -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,አሁን ምትኬ ይውሰዱ +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,አሁን ምትኬ ይውሰዱ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,እንኳን ደህና መጣህ apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,የተጫኑ መተግበሪያዎች DocType: Communication,Open,ክፈት @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,ሙሉ ስም ከ apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},እርስዎ ሪፖርት መዳረሻ የለህም: {0} DocType: User,Send Welcome Email,እንኳን ደህና መጡ ኢሜይል ላክ apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,አውርድ ተመሳሳይ ቅርጸት ሁሉንም የተጠቃሚ ፍቃዶችን የያዘ CSV ፋይል ይስቀሉ. -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,ማጣሪያ አስወግድ +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,ማጣሪያ አስወግድ DocType: Address,Personal,የግል apps/frappe/frappe/config/setup.py +113,Bulk Rename,የጅምላ ይቀየር DocType: Email Queue,Show as cc,ካርቦን እንደ አሳይ DocType: DocField,Heading,አርእስት DocType: Workflow State,resize-vertical,እጀታ-ቋሚ -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. ስቀል +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. ስቀል DocType: Contact Us Settings,Introductory information for the Contact Us Page,ከዚያም Contact Us የሚለውን ገጽ የሚሆን መሠረታዊ መረጃ DocType: Web Page,CSS,የሲ ኤስ ኤስ DocType: Workflow State,thumbs-down,አሪፍ-ታች @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,* Global Search ውስጥ DocType: Workflow State,indent-left,ገብ-ግራ apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,ይህ ፋይል መሰረዝ አደገኛ ነው: {0}. እባክዎ የስርዓት አስተዳዳሪዎን ያግኙ. DocType: Currency,Currency Name,የምንዛሬ ስም -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,ምንም ኢሜይሎች +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,ምንም ኢሜይሎች DocType: Report,Javascript,ጃቫስክሪፕት DocType: File,Content Hash,የይዘት Hash DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,መደብሮች የተለያዩ የተጫኑ መተግበሪያዎች የመጨረሻ የታወቀ ስሪቶች መካከል በ JSON. ይህ መግለጫ ለማሳየት ጥቅም ላይ ይውላል. @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',አባል «{0}» ቀደም ሚና አለው «{1}» apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,ስቀል እና አመሳስል apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},ጋር ተጋርቷል {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,ከደንበኝነት +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,ከደንበኝነት DocType: Communication,Reference Name,የማጣቀሻ ስም apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,የውይይት ድጋፍ DocType: Error Snapshot,Exception,ያልተለመደ ሁናቴ @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,በራሪ ጽሑፍ አቀናባሪ apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,አማራጭ 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,ሁሉም ልኡክ ጽሁፎች apps/frappe/frappe/config/setup.py +89,Log of error during requests.,ጥያቄዎች ወቅት ስህተት ይግቡ. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} በተሳካ ሁኔታ የኢሜይል ቡድን ታክሏል. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,የግል ወይም የሕዝብ ፋይል (ሎች) ያድርጉት? -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},ለመላክ የተያዘለት {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} በተሳካ ሁኔታ የኢሜይል ቡድን ታክሏል. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,የግል ወይም የሕዝብ ፋይል (ሎች) ያድርጉት? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},ለመላክ የተያዘለት {0} DocType: Kanban Board Column,Indicator,አመልካች DocType: DocShare,Everyone,ሁሉም ሰው DocType: Workflow State,backward,ወደኋላ @@ -583,11 +586,11 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,ለመጨ apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,አይፈቀድም. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,ይመልከቱ ተመዝጋቢዎች DocType: Website Theme,Background Color,የጀርባ ቀለም -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,ኢሜይል በመላክ ላይ ሳለ ስህተቶች ነበሩ. እባክዎ ዳግም ይሞክሩ. +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,ኢሜይል በመላክ ላይ ሳለ ስህተቶች ነበሩ. እባክዎ ዳግም ይሞክሩ. DocType: Portal Settings,Portal Settings,ፖርታል ቅንብሮች DocType: Web Page,0 is highest,0 ከፍተኛ ነው apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,እናንተ ወደ {0} ይህን የሐሳብ ልውውጥ ዳግም ያገናኟቸው እንደሚፈልጉ እርግጠኛ ነዎት? -apps/frappe/frappe/www/login.html +99,Send Password,የይለፍ ቃል ላክ +apps/frappe/frappe/www/login.html +104,Send Password,የይለፍ ቃል ላክ apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,አባሪዎች apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,ይህን ሰነድ ለመዳረስ ፍቃዶች የለዎትም DocType: Language,Language Name,የቋንቋ ስም @@ -595,28 +598,29 @@ DocType: Email Group Member,Email Group Member,የቡድን አባል ኢሜይ DocType: Email Alert,Value Changed,ዋጋ ተቀይሯል apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},አባዛ ስም {0} {1} DocType: Web Form Field,Web Form Field,የድር ቅጽ መስክ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,ሪፖርት ገንቢ ውስጥ ደብቅ መስክ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,ሪፖርት ገንቢ ውስጥ ደብቅ መስክ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,HTML አርትዕ -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,የመጀመሪያው ፍቃዶችን እነበረበት መልስ +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,የመጀመሪያው ፍቃዶችን እነበረበት መልስ DocType: Address,Shop,ሱቅ DocType: DocField,Button,ቁልፍ +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,{0} አሁን {1} doctype ነባሪ የህትመት ቅርጸት ነው apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,በማህደር አምዶች DocType: Email Account,Default Outgoing,ነባሪ የወጪ DocType: Workflow State,play,ይጫወታሉ apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,ከታች ምዝገባ ለማጠናቀቅ አገናኝ ላይ ጠቅ ያድርጉ እና አዲስ የይለፍ ቃል ማዘጋጀት -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,ማከል ነበር +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,ማከል ነበር apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,ምንም የኢሜይል መለያዎች የተሰየሙ DocType: Contact Us Settings,Contact Us Settings,ከእኛ ቅንብሮች ያነጋግሩ -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,በመፈለግ ላይ ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,በመፈለግ ላይ ... DocType: Workflow State,text-width,ጽሑፍ-ስፋት apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,ይህ መዝገብ ከፍተኛው አባሪ ገደብ ላይ ተደርሷል. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,የሚከተሉት የግዴታ መስኮች መሞላት አለበት:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,የሚከተሉት የግዴታ መስኮች መሞላት አለበት:
    DocType: Email Alert,View Properties (via Customize Form),(ብጁ ቅጽ በኩል) ይመልከቱ ንብረቶች DocType: Note Seen By,Note Seen By,የታየ ማስታወሻ apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,ተጨማሪ በየተራ ጋር ረዘም ሰሌዳ ጥለት ለመጠቀም ይሞክሩ DocType: Feedback Trigger,Check Communication,የሐሳብ ይመልከቱ apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,ሪፖርት ገንቢ ሪፖርቶች ሪፖርቱ የአናጺ በቀጥታ የሚተዳደሩ ናቸው. ምንም የማደርገው የለም. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,የእርስዎ ኢሜይል አድራሻ ያረጋግጡ +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,የእርስዎ ኢሜይል አድራሻ ያረጋግጡ apps/frappe/frappe/model/document.py +907,none of,ማንም apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,እኔ አንድ ቅጂ ላክ apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,የተጠቃሚ ፍቃዶችን ይስቀሉ @@ -624,7 +628,7 @@ DocType: Dropbox Settings,App Secret Key,የመተግበሪያ ሚስጥር ቁ apps/frappe/frappe/config/website.py +7,Web Site,ድህረገፅ apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,ምልክት የተደረገባቸው ንጥሎች ዴስክቶፕ ላይ ይታያል apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} ነጠላ አይነቶች ሊዘጋጁ አይችሉም -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,Kanban ቦርድ {0} የለም. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,Kanban ቦርድ {0} የለም. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} በአሁኑ ጊዜ ይህን ሰነዱን እያዩት ነው DocType: ToDo,Assigned By Full Name,ሙሉ ስም በ ተመድቧል apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0} ዘምኗል @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,{0} ቀ DocType: Email Account,Awaiting Password,በመጠባበቅ ላይ የይለፍ ቃል DocType: Address,Address Line 1,አድራሻ መስመር 1 DocType: Custom DocPerm,Role,ሚና -apps/frappe/frappe/utils/data.py +429,Cent,በመቶ -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,ኢሜይል ፃፍ +apps/frappe/frappe/utils/data.py +430,Cent,በመቶ +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,ኢሜይል ፃፍ apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).","የስራ ፍሰት ለ ስቴትስ (ለምሳሌ ረቂቅ, የጸደቀ, ተሰርዟል)." DocType: Print Settings,Allow Print for Draft,ረቂቅ ለ አትም ፍቀድ -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,አዘጋጅ ብዛት +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,አዘጋጅ ብዛት apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,ለማረጋገጥ ይህን ሰነድ ማስገባት DocType: User,Unsubscribed,ያልተመዘገበ apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,ገጽ እና ሪፖርት አዘጋጅ ብጁ ሚናዎች apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,ደረጃ መስጠት: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,IMAP ሁኔታ ምላሽ ውስጥ UIDVALIDITY ማግኘት አልተቻለም +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,IMAP ሁኔታ ምላሽ ውስጥ UIDVALIDITY ማግኘት አልተቻለም ,Data Import Tool,የውሂብ አስመጣ መሣሪያ -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,በመስቀል ላይ ፋይሎች ጥቂት ሰኮንዶች እባክዎ ይጠብቁ. +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,በመስቀል ላይ ፋይሎች ጥቂት ሰኮንዶች እባክዎ ይጠብቁ. apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,የእርስዎ ሥዕል ያያይዙ apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,ረድፍ እሴቶች ተለውጧል DocType: Workflow State,Stop,ተወ @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,የፍለጋ መስኮች DocType: OAuth Bearer Token,OAuth Bearer Token,OAuth ተሸካሚ ማስመሰያ apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,ምንም የተመረጠ ሰነድ DocType: Event,Event,ድርጊት -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:",{0} ላይ: {1} እንዲህ ሲል ጽፏል: +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:",{0} ላይ: {1} እንዲህ ሲል ጽፏል: apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,መደበኛ መስክ መሰረዝ አልተቻለም. የሚፈልጉ ከሆነ ይህን መደበቅ ትችላለህ DocType: Top Bar Item,For top bar,ከላይ አሞሌ ለ apps/frappe/frappe/utils/bot.py +148,Could not identify {0},መለየት አልተቻለም {0} @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,ንብረት አቀናጅ apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,ይምረጡ የተጠቃሚ ወይም DocType ለመጀመር. DocType: Web Form,Allow Print,አትም ፍቀድ apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,ምንም የተጫኑ መተግበሪያዎች -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,እንደ አስገዳጅ በመስክ ላይ ምልክት +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,እንደ አስገዳጅ በመስክ ላይ ምልክት DocType: Communication,Clicked,ጠቅ ተደርጓል apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},ምንም ፈቃድ «{0}» {1} DocType: User,Google User ID,የ Google ተጠቃሚ መታወቂያ @@ -727,7 +731,7 @@ DocType: Event,orange,ብርቱካናማ apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,ምንም {0} አልተገኙም apps/frappe/frappe/config/setup.py +236,Add custom forms.,ብጁ ቅጾች ያክሉ. apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} ውስጥ ከ {2} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,ይህ ሰነድ ገብቷል +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,ይህ ሰነድ ገብቷል apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,ስርዓቱ ብዙ ቀድሞ የተበየነ ሚና ያቀርባል. እርስዎ በመረጡት ፍቃዶችን ማዘጋጀት አዲስ ሚና ማከል ይችላሉ. DocType: Communication,CC,ዝግ መግለጫ DocType: Address,Geo,የጂኦ @@ -739,7 +743,8 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Sele apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,ገቢር apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,ከዚህ በታች ያስገቡ DocType: Event,Blue,ሰማያዊ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,መላበሶች ሁሉ ይወገዳሉ. አባክዎ ያጽድቁ. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,መላበሶች ሁሉ ይወገዳሉ. አባክዎ ያጽድቁ. +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,የኢሜይል አድራሻ ወይም የሞባይል ቁጥር DocType: Page,Page HTML,ገጽ ኤችቲኤምኤል apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,በፊደል ከማረጉ apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,ተጨማሪ መስቀለኛ ብቻ 'ቡድን' አይነት አንጓዎች ስር ሊፈጠር ይችላል @@ -766,7 +771,7 @@ DocType: User,Represents a User in the system.,በስርዓቱ ውስጥ አን DocType: Communication,Label,ምልክት apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","ወደ ተግባር {0} ከ {1}, ዝግ ተደርጓል የተመደበ ነው." DocType: User,Modules Access,ሞዱሎች መዳረሻ -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,ይህን መስኮት ዝጋ እባክዎ +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,ይህን መስኮት ዝጋ እባክዎ DocType: Print Format,Print Format Type,አትም ቅርጸት አይነት DocType: Newsletter,A Lead with this Email Address should exist,በዚህ ኢሜይል አድራሻ ጋር አንድ ሊድ ሊኖር ይገባል apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,የድር ክፈት ምንጭ መተግበሪያዎች @@ -776,18 +781,18 @@ DocType: Role Permission for Page and Report,Allow Roles,ሚናዎችን ፍቀ DocType: DocType,Hide Toolbar,አሞሌ ደብቅ DocType: User,Last Active,ንቁ የመጨረሻ DocType: Email Account,SMTP Settings for outgoing emails,ለወጪ ኢሜይሎች SMTP ቅንብሮች -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,ማስመጣት አልተሳካም +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,ማስመጣት አልተሳካም apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,የይለፍ ቃልህ ዘምኗል. እዚህ አዲስ የይለፍ ቃል ነው DocType: Email Account,Auto Reply Message,ራስ-ምላሽ መልዕክት DocType: Feedback Trigger,Condition,ሁኔታ -apps/frappe/frappe/utils/data.py +521,{0} hours ago,{0} ሰዓታት በፊት -apps/frappe/frappe/utils/data.py +531,1 month ago,1 ወር በፊት +apps/frappe/frappe/utils/data.py +522,{0} hours ago,{0} ሰዓታት በፊት +apps/frappe/frappe/utils/data.py +532,1 month ago,1 ወር በፊት DocType: Contact,User ID,የተጠቃሚው መለያ DocType: Communication,Sent,ተልኳል DocType: File,Lft,Lft DocType: User,Simultaneous Sessions,በአንድ ላይ ክፍለ ጊዜዎች DocType: OAuth Client,Client Credentials,የደንበኛ ምስክርነቶች -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,አንድ ሞዱል ወይም መሣሪያ ይክፈቱ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,አንድ ሞዱል ወይም መሣሪያ ይክፈቱ DocType: Communication,Delivery Status,የመላኪያ ሁኔታ DocType: Module Def,App Name,የመተግበሪያ ስም apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,የሚፈቀደው ከፍተኛ የፋይል መጠን ነው {0} ሜባ @@ -808,11 +813,11 @@ DocType: Address,Address Type,የአድራሻ አይነት apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,ልክ ያልሆነ የተጠቃሚ ስም ወይም የድጋፍ የይለፍ ቃል. ለማስተካከል እና እንደገና ይሞክሩ. DocType: Email Account,Yahoo Mail,Yahoo Mail apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,የእርስዎ የደንበኝነት ምዝገባ ነገ ጊዜው ያልፍበታል. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,ተቀምጧል! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,ተቀምጧል! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},የተዘመነ {0}: {1} DocType: DocType,User Cannot Create,ተጠቃሚ ይፍጠሩ አይቻልም apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,አቃፊ {0} የለም -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,መሸወጃ መዳረሻ ፀድቋል ነው! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,መሸወጃ መዳረሻ ፀድቋል ነው! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.",አንድ ብቻ ነው እንደዚህ ያለ ፍቃድ መዝገብ የተገለጸ ከሆነ እነዚህ ደግሞ እነዚያ አገናኞች ነባሪ እሴቶች ማዘጋጀት ይሆናል. DocType: Customize Form,Enter Form Type,ቅጽ አይነት ያስገቡ apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,ምንም መዛግብት መለያ ሰጥታለች. @@ -820,17 +825,16 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +4 DocType: User,Send Password Update Notification,የይለፍ ቃል አዘምን ማሳወቂያ ላክ apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!","DocType, DocType መፍቀድ. ተጥንቀቅ!" apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email","ማተም, ኢሜይል ብጁ ቅርጸቶች" -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,አዲስ ስሪት ወደ ዘምኗል +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,አዲስ ስሪት ወደ ዘምኗል DocType: Custom Field,Depends On,እንደ ሁኔታው DocType: Event,Green,አረንጓዴ DocType: Custom DocPerm,Additional Permissions,ተጨማሪ ፍቃዶች DocType: Email Account,Always use Account's Email Address as Sender,ሁልጊዜ የላኪ እንደ መለያ የኢሜይል አድራሻ ይጠቀሙ apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,አስተያየት ለመስጠት ይግቡ apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,በዚህ መስመር በታች ውሂብ በማስገባት ይጀምሩ -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},ለ ለውጥ እሴቶች {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},ለ ለውጥ እሴቶች {0} DocType: Workflow State,retweet,ትዊት -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,አብነቱን ያዘምኑ እና በማያያዝ በፊት በ CSV ውስጥ ቅርጸት (በኮማ የተለዩ እሴቶች) ማስቀመጥ. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,ወደ መስክ ዋጋ ይግለጹ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,ወደ መስክ ዋጋ ይግለጹ DocType: Report,Disabled,ተሰናክሏል DocType: Workflow State,eye-close,ዓይን-ዝጋ DocType: OAuth Provider Settings,OAuth Provider Settings,OAuth አቅራቢ ቅንብሮች @@ -844,9 +848,9 @@ DocType: Address,Is Your Company Address,የእርስዎ ኩባንያ አድራ apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,የአርትዖት ረድፍ DocType: Workflow Action,Workflow Action Master,የስራ ፍሰት እርምጃ መምህር DocType: Custom Field,Field Type,የመስክ ዓይነት -apps/frappe/frappe/utils/data.py +446,only.,ብቻ ነው. +apps/frappe/frappe/utils/data.py +447,only.,ብቻ ነው. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,ከእናንተ ጋር የተዛመዱ ዓመታት ራቅ. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,ሲወጡና +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,ሲወጡና apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,ልክ ያልሆነ ደብዳቤ አገልጋይ. ለማስተካከል እና እንደገና ይሞክሩ. DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.","አገናኞች ያህል, ክልል እንደ DocType ያስገቡ. ይምረጡ ያህል, በእያንዳንዱ አዲስ መስመር ላይ, አማራጮች ዝርዝር ያስገቡ." @@ -855,15 +859,14 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},ፈቃድ apps/frappe/frappe/config/desktop.py +8,Tools,መሣሪያዎች apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,ከቅርብ ዓመታት ወዲህ ራቅ. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,በርካታ የስር እባጮች አይፈቀድም. -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,የኢሜይል መለያ አይደለም ማዋቀር. ውቅረት> ኢሜይል> ኢሜይል መለያ ከ አዲስ ኢሜይል መለያ ይፍጠሩ DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.","ከነቃ, ተጠቃሚዎች መግባት ሁሉ ጊዜ እንዲያውቁት ይደረጋል. የነቃ አይደለም ከሆነ, ተጠቃሚዎች አንድ ጊዜ ብቻ እንዲያውቁት ይደረጋል." DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.","ከተመረጠ, ተጠቃሚዎች ያረጋግጡ መዳረሻ መገናኛ ማየት አይችሉም." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,መታወቂያ መስክ ሪፖርት በመጠቀም እሴቶች አርትዕ ማድረግ ያስፈልጋል. የ አምድ መራጭ በመጠቀም መታወቂያ መስክ እባክዎ ይምረጡ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,መታወቂያ መስክ ሪፖርት በመጠቀም እሴቶች አርትዕ ማድረግ ያስፈልጋል. የ አምድ መራጭ በመጠቀም መታወቂያ መስክ እባክዎ ይምረጡ apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,አስተያየቶች apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,አረጋግጥ apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,ሁሉንም ሰብስብ apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,ጫን {0}? -apps/frappe/frappe/www/login.html +71,Forgot Password?,መክፈቻ ቁልፉን ረሳኽው? +apps/frappe/frappe/www/login.html +76,Forgot Password?,መክፈቻ ቁልፉን ረሳኽው? DocType: System Settings,yyyy-mm-dd,ዓዓዓዓ-ወወ-ቀቀ apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,መታወቂያ apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,የአገልጋይ ስህተት @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,የፌስቡክ ተጠቃሚ መታወቂያ DocType: Workflow State,fast-forward,በፍጥነት ወደፊት DocType: Communication,Communication,መገናኛ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.","ትዕዛዝ ማዘጋጀት, ይጎትቱ ለመምረጥ አምዶች ይመልከቱ." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,ይህ ቋሚ ድርጊት ነው እና መቀልበስ አትችልም. ይቀጥሉ? +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,ይህ ቋሚ ድርጊት ነው እና መቀልበስ አትችልም. ይቀጥሉ? DocType: Event,Every Day,በየቀኑ DocType: LDAP Settings,Password for Base DN,የመሠረት DN ለ የይለፍ ቃል apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,ሠንጠረዥ መስክ @@ -914,14 +917,14 @@ DocType: Workflow State,align-justify,አሰልፍ-ሰበብ DocType: User,Middle Name (Optional),የመካከለኛ ስም (አማራጭ) apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,አይፈቀድም apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,የሚከተሉት መስኮች የሚጎድሉ እሴቶች አለን: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,የ እርምጃ ለማጠናቀቅ በቂ ፍቃዶች የለዎትም -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,ምንም ውጤቶች +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,የ እርምጃ ለማጠናቀቅ በቂ ፍቃዶች የለዎትም +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,ምንም ውጤቶች DocType: System Settings,Security,መያዣ -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,{0} ተቀባዮች መላክ የተያዘለት +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,{0} ተቀባዮች መላክ የተያዘለት apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},ከ ተሰይሟል {0} ወደ {1} DocType: Currency,**Currency** Master,** ምንዛሬ ** መምህር DocType: Email Account,No of emails remaining to be synced,ቀሪ ኢሜይሎች መካከል ምንም መመሳሰል -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,በመስቀል ላይ +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,በመስቀል ላይ apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,ምድብ በፊት ሰነዱን ያስቀምጡ DocType: Website Settings,Address and other legal information you may want to put in the footer.,አድራሻ እና ሌሎች ህጋዊ መረጃ ወደ ግርጌ ላይ ማስቀመጥ ይፈልጉ ይሆናል. DocType: Website Sidebar Item,Website Sidebar Item,የድር ጣቢያ የጎን ንጥል @@ -940,7 +943,7 @@ apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App { DocType: Communication,Feedback Request,ግብረ ጥያቄ apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,የሚከተሉት መስኮች ይጎድላሉ: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,የሙከራ ባህሪ -apps/frappe/frappe/www/login.html +25,Sign in,ስግን እን +apps/frappe/frappe/www/login.html +30,Sign in,ስግን እን DocType: Web Page,Main Section,ዋና ክፍል DocType: Page,Icon,አዶ apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,5 እና 10 መካከል እሴቶችን ለማጣራት @@ -950,7 +953,7 @@ DocType: System Settings,dd/mm/yyyy,ቀን / ወር / ዓ.ም DocType: System Settings,Backups,ምትኬዎች apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,እውቅያ ያክሉ DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,አማራጭ: ሁልጊዜ እነዚህን መታወቂያዎች መላክ. አዲስ ረድፍ ላይ እያንዳንዱ የኢሜይል አድራሻ -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,ደብቅ ዝርዝሮች +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,ደብቅ ዝርዝሮች DocType: Workflow State,Tasks,ተግባሮች DocType: Event,Tuesday,ማክሰኞ DocType: Blog Settings,Blog Settings,የጦማር ቅንብሮች @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,የመጨረሻ ማስረከቢያ ቀን apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,ሩብ ቀን DocType: Social Login Keys,Google Client Secret,የ Google የደንበኛ ሚስጥር DocType: Website Settings,Hide Footer Signup,ግርጌ ምዝገባ ደብቅ -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,ይህ ሰነድ ተሰርዟል +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,ይህ ሰነድ ተሰርዟል apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,ይህን የተቀመጡ እና አምድ እና ውጤት መመለስ ባለበት ተመሳሳይ አቃፊ ውስጥ ዘንዶ ፋይል ጻፍ. DocType: DocType,Sort Field,ደርድር መስክ DocType: Razorpay Settings,Razorpay Settings,Razorpay ቅንብሮች -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,አርትዕ ማጣሪያ +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,አርትዕ ማጣሪያ apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,የመስክ {0} አይነት {1} የግዴታ ሊሆን አይችልም DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User",ለምሳሌ. ሪፖርት DocType ማጣራት ነው ነገር ግን ምንም የተጠቃሚ ፍቃዶች አንድ ተጠቃሚ ሪፖርት የተገለጹ የተጠቃሚ ፍቃዶችን ተግብር ከሆነ; እንግዲያስ ሁሉ ሪፖርቶች ይህ ተጠቃሚ እንደሚታዩ apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,ደብቅ ገበታ DocType: System Settings,Session Expiry Mobile,ክፍለ ጊዜ የሚቃጠልበት ሞባይል apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,የፍለጋ ውጤቶች apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,አውርድ ወደ ይምረጡ: -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,{0} አይፈቀድም ከሆነ +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,{0} አይፈቀድም ከሆነ DocType: Custom DocPerm,If user is the owner,ተጠቃሚ ባለቤት ከሆነ ,Activity,ሥራ DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",እርዳታ: በስርዓቱ ውስጥ ሌላ ታሪክ ጋር ማገናኘት ላይ አገናኝ ዩአርኤል እንደ "# ቅፅ / ማስታወሻ / [ስም ማስታወሻ]" ይጠቀሙ. (አይጠቀሙ «http: //») apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,የአምላክ በተደጋጋሚ ቃላት እና ቁምፊዎች ለማስወገድ እንመልከት DocType: Communication,Delayed,ዘግይቷል apps/frappe/frappe/config/setup.py +128,List of backups available for download,ለመውረድ የሚገኙ ምትኬዎች ዝርዝር -apps/frappe/frappe/www/login.html +84,Sign up,ተመዝገቢ +apps/frappe/frappe/www/login.html +89,Sign up,ተመዝገቢ DocType: Integration Request,Output,ዉጤት apps/frappe/frappe/config/setup.py +220,Add fields to forms.,ቅጾች መስኮች ያክሉ. DocType: File,rgt,rgt @@ -995,7 +998,7 @@ DocType: User Email,Email ID,የኢሜይል መታወቂያ DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,የደንበኛ መተግበሪያ ተጠቃሚው የሚፈቅድ በኋላ መዳረሻ ይኖራቸዋል ይህም ሀብት ዝርዝር.
    ለምሳሌ ፕሮጀክት DocType: Translation,Translated Text,የተተረጎመ ጽሑፍ DocType: Contact Us Settings,Query Options,የመጠይቅ አማራጮች -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,ማስመጣት ተሳክቷል! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,ማስመጣት ተሳክቷል! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,በማዘመን ላይ መዛግብት DocType: Error Snapshot,Timestamp,ማህተም DocType: Patch Log,Patch Log,ጠጋኝ ምዝግብ ማስታወሻ @@ -1009,14 +1012,14 @@ DocType: System Settings,Setup Complete,ተጠናቋል apps/frappe/frappe/config/setup.py +66,Report of all document shares,ሁሉ ሰነዱን ማጋራቶች ሪፖርት apps/frappe/frappe/www/update-password.html +18,New Password,አዲስ የይለፍ ቃል apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,ማጣሪያ {0} የሚጎድል -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,አዝናለሁ! አንተ በራስ-የመነጨ አስተያየቶች መሰረዝ አይችሉም +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,አዝናለሁ! አንተ በራስ-የመነጨ አስተያየቶች መሰረዝ አይችሉም DocType: Website Theme,Style using CSS,የሲ ኤስ ኤስ በመጠቀም ቅጥ apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,የማጣቀሻ DocType DocType: User,System User,የስርዓት የተጠቃሚ DocType: Report,Is Standard,መደበኛ ነው DocType: Desktop Icon,_report,_report DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field",ማድረግ አይችልም <ስክሪፕት> ብቻ ወይም ቁምፊዎች እነሱ ሆን በዚህ መስክ ውስጥ ጥቅም ላይ ሊውል ይችላል ሆኖ እንደ <ወይም> እንደ ኤች ቲ ኤም ኤል እንዲረዱት HTML መለያዎችን -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,ነባሪ እሴት ይግለጹ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,ነባሪ እሴት ይግለጹ DocType: Website Settings,FavIcon,favicon apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,ቢያንስ አንድ ምላሽ ግብረ በመጠየቅ በፊት የግዴታ ነው DocType: Workflow State,minus-sign,ሲቀነስ-ምልክት @@ -1027,7 +1030,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Cu DocType: Authentication Log,Login,ግባ DocType: Web Form,Payments,ክፍያዎች DocType: System Settings,Enable Scheduled Jobs,መርሃግብር የተያዘላቸው ሥራዎችን አንቃ -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,ማስታወሻዎች: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,ማስታወሻዎች: apps/frappe/frappe/www/message.html +19,Status: {0},ሁኔታ: {0} DocType: DocShare,Document Name,የሰነድ ስም apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,እንደ አይፈለጌ መልዕክት ምልክት @@ -1041,7 +1044,7 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,አሳይ apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,ቀን ጀምሮ apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,ስኬት apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},{0} ተልኳል ነውና ግብረ ጥያቄ {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,ክፍለ ጊዜ ጊዜው አልፎበታል +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,ክፍለ ጊዜ ጊዜው አልፎበታል DocType: Kanban Board Column,Kanban Board Column,Kanban ቦርድ አምድ apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,ቁልፎች አቅኑ ረድፎች ለመገመት ቀላል ናቸው DocType: Communication,Phone No.,ስልክ ቁጥር @@ -1051,7 +1054,7 @@ DocType: Workflow State,picture,ሥዕል apps/frappe/frappe/www/complete_signup.html +22,Complete,ተጠናቀቀ DocType: Customize Form,Image Field,ምስል መስክ DocType: Print Format,Custom HTML Help,ብጁ ኤችቲኤምኤል እገዛ -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,አዲስ ማዕቀብ ያክሉ +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,አዲስ ማዕቀብ ያክሉ apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,ድህረ ገጽ ላይ ይመልከቱ DocType: Workflow Transition,Next State,ቀጣይ መንግስት DocType: User,Block Modules,አግድ ሞዱሎች @@ -1066,7 +1069,7 @@ DocType: Email Account,Default Incoming,ነባሪ ገቢ DocType: Workflow State,repeat,ደገመ DocType: Website Settings,Banner,ሰንደቅ DocType: Role,"If disabled, this role will be removed from all users.","ተሰናክሏል ከሆነ, ይህ ሚና ሁሉም ተጠቃሚዎች ይወገዳል." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,ፍለጋ ላይ እገዛ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,ፍለጋ ላይ እገዛ apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,የተመዘገበ ነገር ግን ተሰናክሏል DocType: DocType,Hide Copy,ገልብጥ ደብቅ apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,ሁሉም ሚናዎች አጽዳ @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,ሰርዝ apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},አዲስ {0} apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,ምንም የተጠቃሚ ገደቦች አልተገኙም. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,ነባሪ የገቢ መልዕክት ሳጥን -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,አዲስ ይስሩ +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,አዲስ ይስሩ DocType: Print Settings,PDF Page Size,የፒዲኤፍ የገጽ መጠን apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,ማስታወሻ: ከላይ መስፈርት ባዶ እሴት ያላቸው መስኮች ያልተጣራ ነው. DocType: Communication,Recipient Unsubscribed,ያልተመዘገበ ተቀባይ DocType: Feedback Request,Is Sent,የተላከ ነው apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,ስለ -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.","ማዘመን ያህል, አንተ ብቻ መራጭ አምዶች ማዘመን ይችላሉ." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.","ማዘመን ያህል, አንተ ብቻ መራጭ አምዶች ማዘመን ይችላሉ." DocType: System Settings,Country,አገር apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,አድራሻዎች DocType: Communication,Shared,የተጋራ @@ -1125,12 +1128,12 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",የ% s ልክ የሆነ ሪፖርት ቅርጸት አይደለም. የሚከተሉትን የ% s ወደ አንድ \ ይገባል ሪፖርት ቅርጸት DocType: Communication,Chat,ውይይት apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},Fieldname {0} ረድፎች ውስጥ ብዙ ጊዜ ይገኛል {1} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} ከ {1} {2} ውስጥ ረድፍ # ወደ {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} ከ {1} {2} ውስጥ ረድፍ # ወደ {3} DocType: Communication,Expired,ጊዜው አልፎበታል DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),አንድ መስመሮች ውስጥ መሬት የአምዶች ቁጥር (ፍርግርግ ውስጥ ጠቅላላ አምዶች ከ 11 መሆን አለበት) DocType: DocType,System,ስርዓት DocType: Web Form,Max Attachment Size (in MB),(ሜባ ውስጥ) ከፍተኛ አባሪ መጠን -apps/frappe/frappe/www/login.html +88,Have an account? Login,አንድ መለያ አለህ? ግባ +apps/frappe/frappe/www/login.html +93,Have an account? Login,አንድ መለያ አለህ? ግባ apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},ያልታወቀ የህትመት ቅርጸት: {0} DocType: Workflow State,arrow-down,ቀስት ወደ ታች apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,ተደመሰሰ @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,ብጁ ሚና apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,መነሻ / የሙከራ አቃፊ 2 DocType: System Settings,Ignore User Permissions If Missing,የጠፋ ከሆነ የተጠቃሚ ፍቃዶችን ችላ -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,ከመስቀልዎ በፊት ሰነዱን ያስቀምጡ. -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,የይለፍ ቃልዎን ያስገቡ +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,ከመስቀልዎ በፊት ሰነዱን ያስቀምጡ. +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,የይለፍ ቃልዎን ያስገቡ DocType: Dropbox Settings,Dropbox Access Secret,መሸወጃ መዳረሻ ሚስጥር apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,ሌላው አስተያየት ያክሉ apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,አርትዕ DocType -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,ጋዜጣ ከደንበኝነት +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,ጋዜጣ ከደንበኝነት apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,አንድ ክፍል መግቻ በፊት መምጣት አለበት ማጠፍ apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,ለመጨረሻ ጊዜ በ የተቀየረው DocType: Workflow State,hand-down,እጅ-ታች @@ -1159,7 +1162,8 @@ DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,URI ማረጋ DocType: DocType,Is Submittable,Submittable ነው apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,ቼክ መስክ እሴት 0 ወይም 1 ሊሆን ይችላል apps/frappe/frappe/model/document.py +634,Could not find {0},ማግኘት አልተቻለም {0} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,አምድ መለያዎች: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,የ Excel ፋይል ቅርጸት ያውርዱ +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,አምድ መለያዎች: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,ተከታታይ የግዴታ መሰየምን DocType: Social Login Keys,Facebook Client ID,Facebook የደንበኛ መታወቂያ DocType: Workflow State,Inbox,የገቢ መልዕክት ሳጥን @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,ቡድን DocType: Footer Item,"Select target = ""_blank"" to open in a new page.",ዒላማ ይምረጡ = "ባዶን" አንድ አዲስ ገጽ ውስጥ ለመክፈት. apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,እስከመጨረሻው ሰርዝ {0}? apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,ተመሳሳይ ፋይል አስቀድሞ መዝገብ ጋር ተያይዞ ተደርጓል -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,ስህተቶች የቀረቡ ችላ. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,ስህተቶች የቀረቡ ችላ. DocType: Auto Email Report,XLS,"XLS," DocType: Workflow State,wrench,ጥምዝዝ apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,አዘጋጅ አይደለም @@ -1195,24 +1199,25 @@ apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be e apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","ሰርዝ, አስገባ ትርጉም, አዋጅን" apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,ለመስራት apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,ማንኛውም ነባር ፈቃድ ተደርቦ / ይሰረዛል. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),ከዚያም በ (አማራጭ) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),ከዚያም በ (አማራጭ) DocType: File,Preview HTML,ቅድመ እይታ ኤችቲኤምኤል DocType: Desktop Icon,query-report,ጥያቄ-ሪፖርት apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},የተመደበ {0}: {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,ማጣሪያዎች ተቀምጧል DocType: DocField,Percent,መቶኛ -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,ማጣሪያዎችን ለማዘጋጀት እባክዎ +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,ማጣሪያዎችን ለማዘጋጀት እባክዎ apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,ጋር የተገናኙ DocType: Workflow State,book,መጽሐፍ DocType: Website Settings,Landing Page,የማረፊያ ገጽ apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,ብጁ ስክሪፕት ላይ ስህተት apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} ስም -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.","ማስመጣት ጥያቄ ወረፋ. ይሄ ትንሽ ጊዜ ሊወስድ ይችላል, እባክዎ ይታገሱ." +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.","ማስመጣት ጥያቄ ወረፋ. ይሄ ትንሽ ጊዜ ሊወስድ ይችላል, እባክዎ ይታገሱ." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,ምንም ፍቃዶች ይህን መስፈርት የተዘጋጀ ነው. DocType: Auto Email Report,Auto Email Report,ራስ-ኢሜይል ሪፖርት apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,ከፍተኛ ኢሜይሎች -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,አስተያየት ይሰረዝ? +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,አስተያየት ይሰረዝ? DocType: Address Template,This format is used if country specific format is not found,አገር የተወሰነ ቅርጸት አልተገኘም ከሆነ ይህ ቅርጸት ጥቅም ላይ ነው +DocType: System Settings,Allow Login using Mobile Number,የመግቢያ ሞባይል ቁጥር መጠቀም ፍቀድ apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,ይህን ሀብት ለመድረስ በቂ ፍቃዶች የለዎትም. መዳረሻ ለማግኘት የእርስዎን አስተዳዳሪ ያነጋግሩ. DocType: Custom Field,Custom,ብጁ apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,የተለያዩ መስፈርቶች ላይ የተመሠረቱ ማዋቀር የኢሜይል ማስጠንቀቂያ. @@ -1238,7 +1243,7 @@ DocType: Workflow State,step-backward,ደረጃ-ወደኋላ apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{APP_TITLE} apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,ጣቢያዎ ውቅር ውስጥ መሸወጃ መዳረሻ ቁልፎች ማዘጋጀት እባክዎ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,በዚህ ኢሜይል አድራሻ መላክ ለመፍቀድ ይህን መዝገብ ይሰርዙ -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,ብቻ የግዴታ መስኮች አዳዲስ መዝገቦች አስፈላጊ ናቸው. ከፈለጉ እርስዎ ያልሆኑ አስገዳጅ ዓምዶች መሰረዝ ይችላሉ. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,ብቻ የግዴታ መስኮች አዳዲስ መዝገቦች አስፈላጊ ናቸው. ከፈለጉ እርስዎ ያልሆኑ አስገዳጅ ዓምዶች መሰረዝ ይችላሉ. apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,ክስተት ማዘመን አልተቻለም apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,ክፍያ ተጠናቅቋል apps/frappe/frappe/utils/bot.py +89,show,አሳይ @@ -1249,6 +1254,7 @@ DocType: Workflow State,map-marker,ካርታ-ማድረጊያ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,አንድ ችግር አስገባ DocType: Event,Repeat this Event,ይህን ክስተት ድገም DocType: Contact,Maintenance User,ጥገና ተጠቃሚ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,ምርጫዎች ድርደራ apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,ቀኖች እና ከእናንተ ጋር የተዛመዱ ዓመታት ራቅ. DocType: Custom DocPerm,Amend,አስተካከለ DocType: File,Is Attachments Folder,አባሪዎች አቃፊ ነው @@ -1274,9 +1280,9 @@ DocType: DocType,Route,መንገድ apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,Razorpay የክፍያ ፍኖት ቅንብሮች DocType: DocField,Name,ስም apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,የእርስዎ ዕቅድ {0} ውስጥ ከፍተኛ ቦታ አልፈዋል. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,ወደ ሰነዶች ፈልግ +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,ወደ ሰነዶች ፈልግ DocType: OAuth Authorization Code,Valid,ሕጋዊ -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,አገናኝ ክፈት +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,አገናኝ ክፈት apps/frappe/frappe/desk/form/load.py +46,Did not load,መጫን ነበር apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,ረድፍ አክል DocType: Tag Category,Doctypes,Doctypes @@ -1291,7 +1297,7 @@ DocType: Workflow State,align-center,አሰልፍ-ማዕከል DocType: Feedback Request,Is Feedback request triggered manually ?,ግብረ ጥያቄ በእጅ ተቀስቅሷል ነው? apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,ይጻፉ ይችላሉ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.","አንዳንድ ሰነዶች, አንድ ደረሰኝ እንደ አንድ የመጨረሻ መለወጥ የለበትም. እንዲህ ዓይነት ሰነዶች የመጨረሻው እርከን ገብቷል ተብሎ ይጠራል. እናንተ ሚና አስገባ ይችላሉ ለመገደብ ይችላሉ." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,ይህን ሪፖርት ወደ ውጪ ለመላክ አይፈቀድም +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,ይህን ሪፖርት ወደ ውጪ ለመላክ አይፈቀድም apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,1 ንጥል ተመርጧል DocType: Newsletter,Test Email Address,የሙከራ ኢሜይል አድራሻ DocType: ToDo,Sender,የላኪ @@ -1330,7 +1336,7 @@ apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,ረ apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} አልተገኘም DocType: Communication,Attachment Removed,አባሪ ተወግዷል apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,ከቅርብ ዓመታት ወዲህ ለመገመት ቀላል ናቸው. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,መስክ በታች መግለጫ አሳይ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,መስክ በታች መግለጫ አሳይ DocType: DocType,ASC,ASC DocType: Workflow State,align-left,-አሰልፍ ግራ DocType: User,Defaults,ነባሪዎች @@ -1341,7 +1347,7 @@ DocType: Dynamic Link,Link Title,የአገናኝ ርዕስ DocType: Workflow State,fast-backward,በፍጥነት ወደኋላ DocType: DocShare,DocShare,DocShare DocType: Event,Friday,አርብ -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,ሙሉ ገጽ ውስጥ አርትዕ +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,ሙሉ ገጽ ውስጥ አርትዕ DocType: Authentication Log,User Details,የተጠቃሚ ዝርዝሮች DocType: Report,Add Total Row,ጠቅላላ ረድፍ አክል apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,እናንተ ይቅር እና INV004 ያስተካክል ለምሳሌ ያህል አንድ አዲስ ሰነድ INV004-1 ይሆናል. ይህ ከእናንተ እያንዳንዱ ማሻሻያ ለመከታተል ይረዳናል. @@ -1358,8 +1364,8 @@ DocType: Currency,"1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",= [?] ለምሳሌ 1 የአሜሪካ ዶላር ያህል ክፍልፋይ = 100 ሳንቲም 1 ምንዛሬ apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour","በጣም ብዙ ተጠቃሚዎች በቅርቡ ተመዝግበዋል, ስለዚህ ምዝገባ ተሰናክሏል. በአንድ ሰዓት ውስጥ ተመልሰው ይሞክሩ" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,አዲስ ፈቃድ ደንብ ያክሉ -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,እርስዎ ልዩ ምልክት% መጠቀም ይችላሉ -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","(.gif, .jpg, .jpeg, .tiff, .png, .svg) አይፈቀድም ብቻ ምስል ቅጥያዎች" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,እርስዎ ልዩ ምልክት% መጠቀም ይችላሉ +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","(.gif, .jpg, .jpeg, .tiff, .png, .svg) አይፈቀድም ብቻ ምስል ቅጥያዎች" DocType: DocType,Database Engine,የውሂብ ጎታ ፕሮግራም DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box","በኮማ የተለያዩ መስኮች (,) ውስጥ ይካተታል በፍለጋ መገናኛ ሳጥን ዝርዝር "በ ፈልግ"" apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,በዚህ ድር ጣቢያ ገጽታ ለማበጀት አባዛ እባክህ. @@ -1367,10 +1373,10 @@ DocType: DocField,Text Editor,ጽሑፍ አርታዒ apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,እኛ ገጽ ስለ ቅንብሮች. apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,አርትዕ ብጁ የ HTML DocType: Error Snapshot,Error Snapshot,ስህተት ቅጽበተ -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,ውስጥ +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,ውስጥ DocType: Email Alert,Value Change,እሴት ለውጥ DocType: Standard Reply,Standard Reply,መደበኛ ምላሽ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,የግቤት ሳጥን ስፋት +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,የግቤት ሳጥን ስፋት DocType: Address,Subsidiary,ተጪማሪ DocType: System Settings,In Hours,ሰዓቶች ውስጥ apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,የደብዳቤ ጋር @@ -1385,13 +1391,12 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,የተጠቃሚ እንደ ጋብዝ apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,ይምረጡ አባሪዎች apps/frappe/frappe/model/naming.py +95, for {0},ለ {0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,ስህተቶች ነበሩ. ይህን ሪፖርት ያድርጉ. +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,ስህተቶች ነበሩ. ይህን ሪፖርት ያድርጉ. apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,እርስዎ ይህን ሰነድ ማተም አይፈቀድም apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,ሪፖርት ማጣሪያ ሠንጠረዥ ውስጥ ማጣሪያዎችን ዋጋ ማዘጋጀት እባክህ. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,በመጫን ላይ ሪፖርት +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,በመጫን ላይ ሪፖርት apps/frappe/frappe/limits.py +72,Your subscription will expire today.,የእርስዎ የደንበኝነት ምዝገባ ዛሬ ጊዜው ያልፍበታል. DocType: Page,Standard,መለኪያ -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,ያግኙ {0} ውስጥ apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,ፋይል አያይዝ apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,የይለፍ ቃል አዘምን ማሳወቂያ apps/frappe/frappe/desk/page/backups/backups.html +13,Size,ልክ @@ -1402,9 +1407,9 @@ DocType: Deleted Document,New Name,አዲስ ስም DocType: Communication,Email Status,የኢሜይል ሁኔታ apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,ኃላፊነት ማስወገድ በፊት ሰነዱን ያስቀምጡ apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,አስገባ በላይ -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,የተለመዱ ስሞች እና አይበልጥም. ለመገመት ቀላል ናቸው. +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,የተለመዱ ስሞች እና አይበልጥም. ለመገመት ቀላል ናቸው. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,ረቂቅ -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,ይህ በተለምዶ ጥቅም ላይ የይለፍ ቃል ጋር ተመሳሳይ ነው. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,ይህ በተለምዶ ጥቅም ላይ የይለፍ ቃል ጋር ተመሳሳይ ነው. DocType: User,Female,ሴት DocType: Print Settings,Modern,ዘመናዊ apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,የፍለጋ ውጤቶች @@ -1412,7 +1417,7 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,የተቀ DocType: Communication,Replied,ምላሽ ሰጥተዋል DocType: Newsletter,Test,ሙከራ DocType: Custom Field,Default Value,ነባሪ እሴት -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,አረጋግጥ +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,አረጋግጥ DocType: Workflow Document State,Update Field,አዘምን መስክ apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},ማረጋገጥ አልተሳካም {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,ክልላዊ ቅጥያዎች @@ -1425,7 +1430,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,ዜሮ በማንኛውም ጊዜ የዘመነ መዛግብት መላክ ማለት ነው apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,ተጠናቋል DocType: Workflow State,asterisk,ኮከባዊ ምልክት -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,አብነቱን ርዕሶች መቀየር አይስጡ. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,አብነቱን ርዕሶች መቀየር አይስጡ. DocType: Communication,Linked,የተገናኙ apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},አዲስ ስም ያስገቡ {0} DocType: User,Frappe User ID,Frappe የተጠቃሚ መታወቂያ @@ -1434,9 +1439,9 @@ DocType: Workflow State,shopping-cart,የግዢ-ጋሪ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,ሳምንት DocType: Social Login Keys,Google,ጉግል DocType: Email Domain,Example Email Address,ምሳሌ የኢሜይል አድራሻ -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,በጣም ጥቅም ላይ የዋሉ -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,ጋዜጣ ምዝገባ ይውጡ -apps/frappe/frappe/www/login.html +96,Forgot Password,መክፈቻ ቁልፉን ረሳኽው +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,በጣም ጥቅም ላይ የዋሉ +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,ጋዜጣ ምዝገባ ይውጡ +apps/frappe/frappe/www/login.html +101,Forgot Password,መክፈቻ ቁልፉን ረሳኽው DocType: Dropbox Settings,Backup Frequency,ምትኬ ድግግሞሽ DocType: Workflow State,Inverse,የተገላቢጦሽ DocType: DocField,User permissions should not apply for this Link,የተጠቃሚ ፈቃዶችን ይህን አገናኝ ማመልከት የለባቸውም @@ -1447,9 +1452,9 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Nu apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,አሳሽ አይደገፍም apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,አንዳንድ መረጃ ይጎድለዋል DocType: Custom DocPerm,Cancel,ሰርዝ -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,ወደ ዴስክቶፕ አክል +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,ወደ ዴስክቶፕ አክል apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,{0} የለም ፋይል -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,አዲስ ሪኮርድ ባዶውን ይተውት +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,አዲስ ሪኮርድ ባዶውን ይተውት apps/frappe/frappe/config/website.py +63,List of themes for Website.,ድረ-ለ ገጽታዎች ዝርዝር. apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,በተሳካ ሁኔታ ዘምኗል DocType: Authentication Log,Logout,ውጣ @@ -1462,7 +1467,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a DocType: Currency,Symbol,ምልክት apps/frappe/frappe/model/base_document.py +535,Row #{0}:,የረድፍ # {0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,አዲስ የይለፍ ቃል ኢሜይል -apps/frappe/frappe/auth.py +242,Login not allowed at this time,በዚህ ጊዜ አይፈቀድም ይግቡና +apps/frappe/frappe/auth.py +245,Login not allowed at this time,በዚህ ጊዜ አይፈቀድም ይግቡና DocType: Email Account,Email Sync Option,ኢሜይል አስምር አማራጭ DocType: Async Task,Runtime,የሚፈጀውን ጊዜ DocType: Contact Us Settings,Introduction,መግቢያ @@ -1477,7 +1482,7 @@ apps/frappe/frappe/config/setup.py +240,Custom Tags,ብጁ መለያዎች apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,ምንም ተዛማጅ መተግበሪያዎች አልተገኙም DocType: Communication,Submitted,ገብቷል DocType: System Settings,Email Footer Address,የኢሜይል ግርጌ አድራሻ -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,ማውጫ ዘምኗል +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,ማውጫ ዘምኗል DocType: Communication,Timeline DocType,የጊዜ መስመር DocType DocType: DocField,Text,ጽሑፍ apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,መደበኛ የተለመዱ ጥያቄዎች መለሰለት. @@ -1487,7 +1492,7 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by DocType: Footer Item,Footer Item,ግርጌ ንጥል ,Download Backups,አውርድ ምትኬዎች apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,መነሻ / የሙከራ አቃፊ 1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.","ማዘመን, ነገር ግን አዲስ መዝገብ ለማስገባት አይደለም." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.","ማዘመን, ነገር ግን አዲስ መዝገብ ለማስገባት አይደለም." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,እኔ መድብ apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,አቃፊ ያርትዑ DocType: DocField,Dynamic Link,ተለዋዋጭ አገናኝ @@ -1500,9 +1505,10 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,ፍቃዶች በማቀናበር ላይ ፈጣን እርዳታ DocType: Tag Doc Category,Doctype to Assign Tags,መለያዎች መድብ ወደ Doctype apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,አሳይ መነጋገሬ +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,ኢሜይል ወደ መጣያ ተወስዷል DocType: Report,Report Builder,ሪፖርት ገንቢ DocType: Async Task,Task Name,ተግባር ስም -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.","የእርስዎ ክፍለ-ጊዜ አልፎበታል, ለመቀጠል እባክህ እንደገና ግባ." +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.","የእርስዎ ክፍለ-ጊዜ አልፎበታል, ለመቀጠል እባክህ እንደገና ግባ." DocType: Communication,Workflow,የስራ ፍሰት apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},ምትኬ እና ማስወገድ ወረፋ {0} DocType: Workflow State,Upload,ስቀል @@ -1525,7 +1531,7 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18",እዚህ ላይ በተገለጸው fieldname እሴት አለው ወይም ደንብ እውነተኛ (ምሳሌዎች) ናቸው ብቻ ከሆነ ይህ መስክ ይታያል: myfield ኢቫል: doc.myfield == 'የእኔ እሴት »ኢቫል: doc.age> 18 -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,ዛሬ +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,ዛሬ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).","ይህን ካዋቀሩት በኋላ, ተጠቃሚዎች ብቻ ነው የሚችል መዳረሻ ሰነዶችን ይሆናል (ለምሳሌ. ልጥፍ ብሎግ) አገናኝ (ለምሳሌ. ብሎገር) አለ ቦታ." DocType: Error Log,Log of Scheduler Errors,መርሐግብር ስህተቶች መካከል መዝገብ DocType: User,Bio,የህይወት ታሪክ @@ -1539,7 +1545,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,ተሰርዟል DocType: Workflow State,adjust,ለማስተካከል DocType: Web Form,Sidebar Settings,የጎን ቅንብሮች -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,

    'ምንም ውጤቶች አልተገኙም

    DocType: Website Settings,Disable Customer Signup link in Login page,የመግቢያ ገጽ ላይ ያሰናክሉ የደንበኞች ምዝገባ አገናኝ apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,/ ባለቤት ተመድቧል DocType: Workflow State,arrow-left,ቀስት-ግራ @@ -1560,8 +1565,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,አሳይ ክፍል አርዕስቶች DocType: Bulk Update,Limit,ወሰን apps/frappe/frappe/www/printview.py +219,No template found at path: {0},መንገድ ላይ የሚገኘው ምንም አብነት: {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,ማስመጣት ላይ በኋላ አስገባ. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,ምንም የኢሜይል መለያ +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,ማስመጣት ላይ በኋላ አስገባ. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,ምንም የኢሜይል መለያ DocType: Communication,Cancelled,ተሰርዟል DocType: Standard Reply,Standard Reply Help,መደበኛ ምላሽ እገዛ DocType: Blogger,Avatar,አምሳያ @@ -1570,13 +1575,13 @@ DocType: DocType,Has Web View,የድር እይታ አለው apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores","DocType ስም ደብዳቤ ጋር መጀመር አለበት እና ፊደሎችን, ቁጥሮችን, ክፍት ቦታዎችን እና የሥር ሊያካትት ይችላል" DocType: Communication,Spam,አይፈለጌ መልዕክት DocType: Integration Request,Integration Request,ውህደት ይጠይቁ -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,ውድ +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,ውድ DocType: Contact,Accounts User,የተጠቃሚ መለያዎች DocType: Web Page,HTML for header section. Optional,ራስጌ ክፍል ለ ኤች. ግዴታ ያልሆነ apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,ይህ ባህሪ አሁንም ፍጹም አዲስ እና የሙከራ ነው apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,ከፍተኛ {0} ረድፎች አይፈቀድም DocType: Email Unsubscribe,Global Unsubscribe,ዓለም አቀፍ ከደንበኝነት -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,ይህ በጣም የተለመደ የይለፍ ቃል ነው. +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,ይህ በጣም የተለመደ የይለፍ ቃል ነው. apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,ይመልከቱ DocType: Communication,Assigned,የተመደበ DocType: Print Format,Js,JS @@ -1584,13 +1589,14 @@ apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Form apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,አጭር ሰሌዳ ቅጦችን ለመገመት ቀላል ናቸው DocType: Portal Settings,Portal Menu,ፖርታል ማውጫ apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,{0} ርዝመት በ 1 እና በ 1000 መካከል መሆን አለበት -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,ማንኛውም ነገር ይፈልጉ +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,ማንኛውም ነገር ይፈልጉ DocType: DocField,Print Hide,አትም ደብቅ apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,እሴት ያስገቡ DocType: Workflow State,tint,ቅልም DocType: Web Page,Style,ቅጥ apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,ለምሳሌ: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} አስተያየቶች +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,የኢሜይል መለያ አይደለም ማዋቀር. ውቅረት> ኢሜይል> ኢሜይል መለያ ከ አዲስ ኢሜይል መለያ ይፍጠሩ apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,ምድብ ምረጥ ... DocType: Customize Form Field,Label and Type,መለያ ስም እና አይነት DocType: Workflow State,forward,ወደፊት @@ -1602,12 +1608,14 @@ DocType: Website Settings,Sub-domain provided by erpnext.com,erpnext.com የቀ DocType: System Settings,dd-mm-yyyy,ክል-ወወ-ዓ.ም apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,ይህንን ሪፖርት ለመድረስ ሪፖርት ፍቃድ ሊኖርዎት ይገባል. apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,ዝቅተኛው የይለፍ ነጥብ ይምረጡ -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,ታክሏል -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.",አዲስ መዝገብ ለማስገባት አይደለም; ብቻ አዘምን. +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,ታክሏል +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.",አዲስ መዝገብ ለማስገባት አይደለም; ብቻ አዘምን. apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,ዕለታዊ ክስተት ዳይጀስት ማሳሰቢያዎች ማዘጋጀት ቦታ የቀን መቁጠሪያ ክስተቶች ልኮ ነው. apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,ይመልከቱ ድር ጣቢያ DocType: Workflow State,remove,ማስወገድ DocType: Email Account,If non standard port (e.g. 587),ያልሆነ መደበኛ ወደብ ከሆነ (ለምሳሌ 587) +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,ውቅረት> የተጠቃሚ ፍቃዶች አስኪያጅ +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,ምንም ነባሪ አድራሻ አብነት አልተገኘም. ውቅረት> ማተም እና ብራንዲንግ> አድራሻ መለጠፊያ አንድ አዲስ ፍጠር እባክህ. apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,ዳግም ጫን apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,የራስዎን መለያ ምድቦች አክል apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,ሙሉ @@ -1625,16 +1633,15 @@ apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",የፍለጋ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},DocType ፈቃድ ማዘጋጀት አልተቻለም: {0} እና ስም: {1} apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,ማድረግ ወደ አክል DocType: Footer Item,Company,ኩባንያ -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,ውቅረት> ኢሜይል> ኢሜይል መለያ ከ እባክዎ ማዋቀር ነባሪውን የኢሜይል መለያ apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,እኔ ወደ የተመደበው -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,የይለፍ ቃል ያረጋግጡ +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,የይለፍ ቃል ያረጋግጡ apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,ስህተቶች ነበሩ apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,ገጠመ apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,ከ 0 እስከ 2 docstatus መቀየር አይቻልም DocType: User Permission for Page and Report,Roles Permission,ሚናዎች ፈቃድ apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,አዘምን DocType: Error Snapshot,Snapshot View,ቅጽበተ-ይመልከቱ -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,ከመላክህ በፊት ጋዜጣ ላይ ያስቀምጡ +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,ከመላክህ በፊት ጋዜጣ ላይ ያስቀምጡ apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},አማራጮች ረድፍ ውስጥ መስክ {0} ትክክለኛ DocType መሆን አለበት {1} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,አርትዕ ንብረቶች DocType: Patch Log,List of patches executed,ጥገናዎች ዝርዝር ተገደለ @@ -1642,17 +1649,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,ኮሙኒኬሽን መካከለኛ DocType: Website Settings,Banner HTML,ባነር ኤችቲኤምኤል apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',ሌላ የክፍያ ስልት ይምረጡ. Razorpay «{0}» ምንዛሬ ግብይቶችን አይደግፍም -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,ምትኬ ወረፋ. ይህም አንድ ሰዓት ጥቂት ደቂቃዎች ሊወስድ ይችላል. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,ምትኬ ወረፋ. ይህም አንድ ሰዓት ጥቂት ደቂቃዎች ሊወስድ ይችላል. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,OAuth ደንበኛ መተግበሪያ ይመዝገቡ apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""",{0} {1} ሊሆን አይችልም "{2}». ከዚህ ውስጥ አንዱ መሆን አለበት "{3}» -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} ወይም {1} +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} ወይም {1} apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,ዴስክቶፕ እየተሰረቁ አሳይ ወይም ደብቅ apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,የይለፍ ቃል አዘምን DocType: Workflow State,trash,መጣያ DocType: System Settings,Older backups will be automatically deleted,የቆዩ መጠባበቂያዎች በራስ-ሰር ይሰረዛል DocType: Event,Leave blank to repeat always,ሁልጊዜ መድገም ባዶውን ይተው -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,ተረጋግጧል +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,ተረጋግጧል DocType: Event,Ends on,ላይ ያበቃል DocType: Payment Gateway,Gateway,መዉጫ apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,አገናኞች ለማየት በቂ ፍቃድ @@ -1660,18 +1667,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO","የ <ራስ> ውስጥ ታክሏል ኤችቲኤምኤል ድረ ገጽ ክፍል, በዋነኝነት ድር ማረጋገጫ እና ሲኢኦ ጥቅም ላይ" apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,መንገዷ apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,ንጥል የራሱን ዘር ሊታከሉ አይችሉም -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,አሳይ ድምሮች +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,አሳይ ድምሮች DocType: Error Snapshot,Relapses,መነጋገሬ DocType: Address,Preferred Shipping Address,ተመራጭ የሚላክበት አድራሻ DocType: Social Login Keys,Frappe Server URL,Frappe አገልጋይ ዩ አር ኤል -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,ደብዳቤ ራስ ጋር +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,ደብዳቤ ራስ ጋር apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} ይህን ፈጥረዋል {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,የሰነድ ሚና ተጠቃሚዎች ብቻ ሊደረግበት ነው apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.",እርስዎ {1} በ {2} ተዘግቷል የሰጠውን ሥራ {0}:. DocType: Print Format,Show Line Breaks after Sections,አሳይ መስመር ክፍሎች በኋላ ሰበረ DocType: Blogger,Short Name,አጭር ስም apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},ገጽ {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).","አንተ እንደ ሁሉም አመሳስል አማራጭ በመምረጥ ላይ ናቸው, ይህ ከአገልጋይ ሁሉንም \ ማንበብ እንዲሁም ያልተነበበ መልዕክት ዝርዝሩን ይሆናል. ይህ ደግሞ ኮሙኒኬሽን (ኢሜይሎች) መካከል ያለውን ድግግሞሽና \ ሊያስከትል ይችላል." apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,ፋይሎች መጠን @@ -1680,7 +1687,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,የታገዱ DocType: Contact Us Settings,"Default: ""Contact Us""",ነባሪ: "ያግኙን" DocType: Contact,Purchase Manager,የግዢ አስተዳዳሪ -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.","ደረጃ 0 ሰነድ ደረጃ ፈቃዶች, የመስክ ደረጃ ፈቃዶች ከፍተኛ ደረጃ ነው." DocType: Custom Script,Sample,ናሙና apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,UnCategorised መለያዎች apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore","የተጠቃሚ ስም ፊደሎችን, ቁጥሮችን እና የሥር ሌላ ማንኛውም ልዩ ቁምፊዎችን መያዝ የለበትም" @@ -1703,7 +1709,7 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please up apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,ወር DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,ProTip: አክል Reference: {{ reference_doctype }} {{ reference_name }} ለመላክ ሰነድ ማጣቀሻ apps/frappe/frappe/modules/utils.py +202,App not found,መተግበሪያ አልተገኘም -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},መፍጠር አልተቻለም አንድ {0} አንድ ልጅ ሰነድ ላይ: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},መፍጠር አልተቻለም አንድ {0} አንድ ልጅ ሰነድ ላይ: {1} DocType: Portal Settings,Custom Sidebar Menu,ብጁ የጎን ማውጫ DocType: Workflow State,pencil,እርሳስ apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,መልዕክቶች እና ሌሎች ማሳወቂያዎች ይወያዩ. @@ -1713,11 +1719,11 @@ apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please ente DocType: Workflow State,hand-up,እጅ-ምትኬ DocType: Blog Settings,Writers Introduction,ማስጻፍ መግቢያ DocType: Communication,Phone,ስልክ -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,ላይ ሳለ ስህተት በመገምገም ላይ የኢሜይል ማንቂያ {0}. የ አብነት ያስተካክሉ. +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,ላይ ሳለ ስህተት በመገምገም ላይ የኢሜይል ማንቂያ {0}. የ አብነት ያስተካክሉ. apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,ይምረጡ የሰነድ አይነት ወይም ሚና ለመጀመር. DocType: Contact,Passive,የማይሠራ DocType: Contact,Accounts Manager,መለያዎች አስተዳዳሪ -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,ይምረጡ የፋይል አይነት +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,ይምረጡ የፋይል አይነት DocType: Help Article,Knowledge Base Editor,እውቀት ቤዝን አርታዒ apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,ገጹ አልተገኘም DocType: DocField,Precision,ትክክልነት @@ -1726,7 +1732,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,ቡድኖች DocType: Workflow State,Workflow State,የስራ ፍሰት መንግስት apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,ረድፎች ታክሏል -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,ስኬት! እርስዎ መሄድ ጥሩ ነው 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,ስኬት! እርስዎ መሄድ ጥሩ ነው 👍 apps/frappe/frappe/www/me.html +3,My Account,አካውንቴ DocType: ToDo,Allocated To,ወደ መድቧል apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,አዲሱን የይለፍ ቃል ለማዘጋጀት በሚከተለው አገናኝ ላይ ጠቅ ያድርጉ @@ -1748,7 +1754,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,የሰነ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,መግቢያ መታወቂያ apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},ሠራህ {0} መካከል {1} DocType: OAuth Authorization Code,OAuth Authorization Code,OAuth ማረጋገጫ ኮድ -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,ያስመጡ አልተፈቀደልህም +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,ያስመጡ አልተፈቀደልህም DocType: Social Login Keys,Frappe Client Secret,Frappe የደንበኛ ሚስጥር DocType: Deleted Document,Deleted DocType,ተሰርዟል DocType apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,ፍቃድ ደረጃዎች @@ -1756,11 +1762,11 @@ DocType: Workflow State,Warning,ማስጠንቀቂያ DocType: Tag Category,Tag Category,መለያ ምድብ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!","አንድ ቡድን በተመሳሳይ ስም ስላለ, ንጥል {0} ችላ!" apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,ተሰርዟል ሰነድ ወደነበረበት መመለስ አይቻልም -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,እርዳታ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,እርዳታ DocType: User,Login Before,መግቢያ በፊት DocType: Web Page,Insert Style,አስገባ ቅጥ apps/frappe/frappe/config/setup.py +253,Application Installer,የመተግበሪያ ጫኝ -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,አዲስ ሪፖርት ስም +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,አዲስ ሪፖርት ስም apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,ናት DocType: Workflow State,info-sign,መረጃ-ምልክት apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,{0} ዝርዝር ሊሆን አይችልም እሴት @@ -1768,9 +1774,10 @@ DocType: Currency,"How should this currency be formatted? If not set, will use s apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,አሳይ የተጠቃሚ ፍቃዶች apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,በእናንተ ውስጥ መግባት እና መጠባበቂያ መድረስ መቻል የስርዓት አቀናባሪ ሚና እንዲኖረው ማድረግ ያስፈልጋል. apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,የቀረ +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,

    'ምንም ውጤቶች አልተገኙም

    apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,በማያያዝ በፊት ያስቀምጡ. -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),ታክሏል {0} ({1}) -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},ነባሪ ገጽታ ውስጥ ተዘጋጅቷል {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),ታክሏል {0} ({1}) +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},ነባሪ ገጽታ ውስጥ ተዘጋጅቷል {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},Fieldtype ከ ሊቀየር አይችልም {0} ወደ {1} ረድፍ ውስጥ {2} apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,ሚና ፍቃዶች DocType: Help Article,Intermediate,መካከለኛ @@ -1786,11 +1793,12 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,በማደስ ላ DocType: Event,Starts on,ላይ ይጀምራል DocType: System Settings,System Settings,የስርዓት ቅንብሮች apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,ክፍለ-ጊዜ መጀመር አልተሳካም -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},ይህ ኢሜይል {0} ተልኳል እና ተቀድቷል ነበር {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},ይህ ኢሜይል {0} ተልኳል እና ተቀድቷል ነበር {1} DocType: Workflow State,th,ኛ -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},ፍጠር አዲስ {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,ውቅረት> ተጠቃሚ +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},ፍጠር አዲስ {0} DocType: Email Rule,Is Spam,አይፈለጌ መልዕክት ነው -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},ሪፖርት {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},ሪፖርት {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},ክፍት {0} DocType: OAuth Client,Default Redirect URI,ነባሪ ማዘዋወር URI DocType: Email Alert,Recipients,ተቀባዮች @@ -1799,13 +1807,13 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,የተባዛ DocType: Newsletter,Create and Send Newsletters,ፍጠር እና ላክ ጋዜጣዎች apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,ቀን ጀምሮ እስከ ቀን በፊት መሆን አለበት apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,ምልክት መደረግ አለበት ይህም ዋጋ መስክ ይግለጹ -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added","ወላጅ" በዚህ ረድፍ መታከል አለበት ውስጥ ወላጅ ጠረጴዛ ያመለክታል +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added","ወላጅ" በዚህ ረድፍ መታከል አለበት ውስጥ ወላጅ ጠረጴዛ ያመለክታል DocType: Website Theme,Apply Style,ቅጥ ተግብር DocType: Feedback Request,Feedback Rating,ግብረ ደረጃ አሰጣጥ apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,ጋር የተጋራ DocType: Help Category,Help Articles,የእገዛ ርዕሶች ,Modules Setup,ሞዱሎች ማዋቀር -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,አይነት: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,አይነት: DocType: Communication,Unshared,አልተጋራም apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,ሞዱል አልተገኘም DocType: User,Location,አካባቢ @@ -1813,14 +1821,14 @@ apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},አ ,Permitted Documents For User,ተጠቃሚ አይፈቀድም ሰነዶች apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission",አንተ «አጋራ» ፍቃድ ሊኖርዎት ይገባል DocType: Communication,Assignment Completed,ተልእኮ ተጠናቋል -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},የጅምላ አርትዕ {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},የጅምላ አርትዕ {0} DocType: Email Alert Recipient,Email Alert Recipient,የኢሜይል ማንቂያ ተቀባይ apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,ገባሪ አይደለም DocType: About Us Settings,Settings for the About Us Page,በ ስለ እኛ ገጽ ቅንብሮች apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,ሰንበር የክፍያ ፍኖት ቅንብሮች apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,ሰነድ ይምረጡ አይነት ያውርዱ DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,ለምሳሌ pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,መዛግብት ለማጣራት ወደ መስክ ይጠቀሙ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,መዛግብት ለማጣራት ወደ መስክ ይጠቀሙ DocType: DocType,View Settings,ይመልከቱ ቅንብሮች DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll","እናንተ ቅጠሎች, ወጪዎች እና የመክፈል ዝርዝር ማቀናበር እንዲችሉ ሰራተኞችን አክል" @@ -1830,9 +1838,9 @@ apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 charac DocType: OAuth Client,App Client ID,የመተግበሪያ የደንበኛ መታወቂያ DocType: Kanban Board,Kanban Board Name,Kanban ቦርድ ስም DocType: Email Alert Recipient,"Expression, Optional","መግለጫ, አማራጭ" -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},ይህ ኢሜይል ተልኳል {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},ይህ ኢሜይል ተልኳል {0} DocType: DocField,Remember Last Selected Value,ለመጨረሻ ጊዜ የተመረጠው እሴት አስታውስ -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,እባክዎ ይምረጡ የሰነድ አይነት +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,እባክዎ ይምረጡ የሰነድ አይነት DocType: Email Account,Check this to pull emails from your mailbox,ይህ ሳጥንህ ውስጥ ባሉ ኢሜይሎች መጎተት ይመልከቱ apps/frappe/frappe/limits.py +139,click here,እዚህ ጠቅ ያድርጉ apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,ተሰርዟል ሰነድ አርትዕ ማድረግ አልተቻለም @@ -1855,26 +1863,26 @@ DocType: Communication,Has Attachment,አባሪ አለው DocType: Contact,Sales User,የሽያጭ ተጠቃሚ apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,ይጎትቱ እና ጣል መሣሪያ ለመገንባት እና የህትመት ቅርጸቶች ለማበጀት. apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,ዘርጋ -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,አዘጋጅ +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,አዘጋጅ DocType: Email Alert,Trigger Method,ቃታ ዘዴ DocType: Workflow State,align-right,አሰልፍ-ቀኝ DocType: Auto Email Report,Email To,ወደ ኢሜይል apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,አቃፊ {0} ባዶ አይደለም DocType: Page,Roles,ሚናዎችን -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,የመስክ {0} ሊመረጥ አይችልም. +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,የመስክ {0} ሊመረጥ አይችልም. DocType: System Settings,Session Expiry,ክፍለ ጊዜ የሚቃጠልበት DocType: Workflow State,ban-circle,እገዳ-ክበብ DocType: Email Flag Queue,Unread,ያልተነበበ DocType: Bulk Update,Desk,የጽሕፈተ ጠረጴዛ apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,አንድ ምረጥ መጠይቅ ጻፍ. ማስታወሻ ውጤት (ሁሉንም ውሂብ በአንድ ጉዞ ውስጥ ይላካል) ያስችላለ አይደለም. DocType: Email Account,Attachment Limit (MB),ዓባሪ ገደብ (ሜባ) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,አዋቅር ራስ ኢሜይል +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,አዋቅር ራስ ኢሜይል apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,Ctrl + ወደ ታች -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,ይህ ከላይ-10 የጋራ የይለፍ ቃል ነው. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,ይህ ከላይ-10 የጋራ የይለፍ ቃል ነው. DocType: User,User Defaults,የተጠቃሚ ነባሪዎችን apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,አዲስ ፍጠር DocType: Workflow State,chevron-down,ሸቭሮን-ታች -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),አልተላከም ኢሜይል {0} (ተሰናክሏል / ከደንበኝነት) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),አልተላከም ኢሜይል {0} (ተሰናክሏል / ከደንበኝነት) DocType: Async Task,Traceback,Traceback DocType: Currency,Smallest Currency Fraction Value,ትንሹ የምንዛሬ ክፍልፋይ ዋጋ apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,ወደ መድብ @@ -1885,7 +1893,7 @@ DocType: User,Restrict user from this IP address only. Multiple IP addresses can DocType: Communication,From,ከ DocType: Website Theme,Google Font (Heading),የ Google ቅርጸ ቁምፊ (ርዕስ የለም) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,በመጀመሪያ አንድ ቡድን አንጓ ይምረጡ. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},ያግኙ {0} ውስጥ {1} +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},ያግኙ {0} ውስጥ {1} DocType: OAuth Client,Implicit,በውስጥ DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","(, መስኮችን, "ሁኔታ" ሊኖረው ይገባል "መገዛት" የተባለ) በዚህ DocType ላይ የሐሳብ ልውውጥ ጨምር" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1902,8 +1910,10 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loadi apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.","በፌስቡክ, በ Google, የፊልሙ በኩል መግቢያ ለማንቃት ቁልፎች ያስገቡ." DocType: Auto Email Report,Filter Data,የማጣሪያ ውሂብ apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,አንድ መለያ አክል -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,መጀመሪያ አንድ ፋይል አባሪ ያድርጉ. +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,መጀመሪያ አንድ ፋይል አባሪ ያድርጉ. apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator","ስም ማዋቀር አንዳንድ ስህተቶች ነበሩ, አስተዳዳሪ ያነጋግሩ" +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.",የእርስዎ ስም ይልቅ የእርስዎ ኢሜይል የተጻፈ ይመስላል. እኛ ወደ ኋላ ማግኘት እንዲችሉ \ ልክ የሆነ የኢሜይል አድራሻ ያስገቡ. DocType: Website Slideshow Item,Website Slideshow Item,የድር ጣቢያ የተንሸራታች ንጥል DocType: Portal Settings,Default Role at Time of Signup,ምዝገባ በጊዜ ላይ ነባሪ ሚና DocType: DocType,Title Case,ርዕስ መያዣ @@ -1911,7 +1921,7 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ",አማራጮች ላይ ከመዋላቸው:
    1. መስክ: [fieldname] - መስክ በ
    2. naming_series: - ተከታታይ መሰየምን በማድረግ (መስክ ተብሎ naming_series መገኘት አለባቸው
    3. ተከታትላችሁ - ስም ጠይቅ ተጠቃሚ
    4. [ተከታታይ] - ቅድመ ቅጥያ (አንድ ነጥብ በመለያየት) በ ተከታታይ; ለምሳሌ የቅድመ ለ. #####
    DocType: Blog Post,Email Sent,ኢሜይል ተልኳል DocType: DocField,Ignore XSS Filter,XSS ማጣሪያ ችላ -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,ተወግዷል +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,ተወግዷል apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,Dropbox የመጠባበቂያ ቅንብሮች apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,እንደ ኢሜይል ላክ DocType: Website Theme,Link Color,አገናኝ ቀለም @@ -1932,9 +1942,9 @@ DocType: Letter Head,Letter Head Name,ደብዳቤ ኃላፊ ስም DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),አንድ ዝርዝር ይመልከቱ ወይም መስመሮች ውስጥ መሬት ዓምዶች ቁጥር (ጠቅላላ አምዶች ያነሰ 11 በላይ መሆን አለበት) apps/frappe/frappe/config/website.py +18,User editable form on Website.,ድህረ ገጽ ላይ አባል ሊደረግበት ቅጽ. DocType: Workflow State,file,ፋይል -apps/frappe/frappe/www/login.html +103,Back to Login,ተመልሰው ይግቡ ወደ +apps/frappe/frappe/www/login.html +108,Back to Login,ተመልሰው ይግቡ ወደ apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,እናንተ መሰየም ፈቃድ መጻፍ አለብዎት -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,ሕግ ተግባራዊ +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,ሕግ ተግባራዊ DocType: User,Karma,ካርማ DocType: DocField,Table,ጠረጴዛ DocType: File,File Size,የፋይል መጠን @@ -1944,7 +1954,7 @@ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Coun apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,መካከል DocType: Async Task,Queued,ተሰልፏል DocType: PayPal Settings,Use Sandbox,ይጠቀሙ ማጠሪያ -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,አዲስ ብጁ ማተም ቅርጸት +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,አዲስ ብጁ ማተም ቅርጸት DocType: Custom DocPerm,Create,ፈጠረ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},ልክ ያልሆነ ማጣሪያ: {0} DocType: Email Account,no failed attempts,ምንም አልተሳካም ሙከራዎች @@ -1968,8 +1978,8 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,ምልክት DocType: DocType,Show Print First,አሳይ አትም በመጀመሪያ apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,Ctrl ለመለጠፍ አስገባ + -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},ለማድረግ አዲስ {0} -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,አዲስ የኢሜይል መለያ +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},ለማድረግ አዲስ {0} +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,አዲስ የኢሜይል መለያ apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),መጠን (ሜባ) DocType: Help Article,Author,ደራሲ apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,በመላክ ላይ ከቆመበት ቀጥል @@ -1979,7 +1989,7 @@ DocType: Print Settings,Monochrome,ቀለመ DocType: Contact,Purchase User,የግዢ ተጠቃሚ DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.","የተለያዩ "ስቴትስ" ይህ ሰነድ "ክፈት" ልክ. ውስጥ ሊኖር ይችላል, "ማረጋገጫ በመጠባበቅ ላይ" ወዘተ" apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,ይህ አገናኝ ልክ ያልሆነ ወይም ጊዜው ያለፈበት ነው. በትክክል ተለጥፎ እርግጠኛ ይሁኑ. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} በተሳካ ሁኔታ ከዚህ የደብዳቤ የሚላክላቸው ዝርዝር ከደንበኝነት ምዝገባ ወጥቷል. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} በተሳካ ሁኔታ ከዚህ የደብዳቤ የሚላክላቸው ዝርዝር ከደንበኝነት ምዝገባ ወጥቷል. DocType: Web Page,Slideshow,የተንሸራታች ትዕይንት apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,ነባሪ አድራሻ መለጠፊያ ሊሰረዝ አይችልም DocType: Contact,Maintenance Manager,ጥገና ሥራ አስኪያጅ @@ -1993,13 +2003,16 @@ apps/frappe/frappe/model/document.py +1047,This document is currently queued for apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,ፋይል «{0} 'አልተገኘም apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,ክፍል አስወግድ DocType: User,Change Password,የሚስጥር ቁልፍ ይቀይሩ -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},ልክ ያልሆነ ኢሜይል: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},ልክ ያልሆነ ኢሜይል: {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,የክስተት መጨረሻ ከመጀመሪያው ቀጥሎ መሆን አለበት apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},በእናንተ ላይ አንድ ሪፖርት ለማግኘት ፈቃድ የለህም: {0} DocType: DocField,Allow Bulk Edit,የጅምላ አርትዕ ፍቀድ DocType: Blog Post,Blog Post,የጦማር ልጥፍ -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,የላቀ ፍለጋ +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,የላቀ ፍለጋ apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,የይለፍ ቃል ዳግም መመሪያዎች የእርስዎ ኢሜይል ተልከዋል +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.","ደረጃ 0 መስክ ደረጃ ፈቃዶችን ለ ሰነድ ደረጃ ፈቃዶች, \ ከፍተኛ ደረጃ ነው." +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,ቅደምተከተሉ የተስተካከለው DocType: Workflow,States,ስቴትስ DocType: Email Alert,Attach Print,አትም ያያይዙ apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},የተጠቆሙ የተጠቃሚ ስም: {0} @@ -2007,7 +2020,7 @@ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,ቀን ,Modules,ሞዱሎች apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,ዴስክቶፕ አዶዎች አዘጋጅ apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,የክፍያ ስኬት -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,ምንም {0} ደብዳቤ +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,ምንም {0} ደብዳቤ DocType: OAuth Bearer Token,Revoked,ተሽሯል DocType: Web Page,Sidebar and Comments,የጎን አሞሌ እና አስተያየቶች apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.",አንድ ሰነድ በኋላ ይቅር እና ማስቀመጥ እንዲሻሻል ጊዜ: አሮጌውን ቁጥር አንድ ስሪት ነው አዲስ ቁጥር ያገኛሉ. @@ -2015,17 +2028,17 @@ DocType: Stripe Settings,Publishable Key,Publishable ቁልፍ DocType: Workflow State,circle-arrow-left,ክበብ-ቀስት-ግራ apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,Redis መሸጎጫ አገልጋይ እየሄደ አይደለም. አስተዳዳሪ / ቴክኒካል ድጋፍ ያነጋግሩ apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,የፓርቲ ስም -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,አዲስ መዝገብ ይስሩ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,አዲስ መዝገብ ይስሩ apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,በመፈለግ ላይ DocType: Currency,Fraction,ክፍልፋይ DocType: LDAP Settings,LDAP First Name Field,ኤልዲኤፒ የመጀመሪያ ስም መስክ -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,ነባር አባሪዎችን ይምረጡ +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,ነባር አባሪዎችን ይምረጡ DocType: Custom Field,Field Description,የመስክ መግለጫ apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,ተከታትላችሁ በኩል አልተዘጋጀም ስም -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,የኢሜይል ገቢ መልዕክት ሳጥን +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,የኢሜይል ገቢ መልዕክት ሳጥን DocType: Auto Email Report,Filters Display,ማጣሪያዎችን አሳይ DocType: Website Theme,Top Bar Color,ከፍተኛ አሞሌ ቀለም -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,ከዚህ የደብዳቤ የሚላክላቸው ዝርዝር ከደንበኝነት ትፈልጋለህ? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,ከዚህ የደብዳቤ የሚላክላቸው ዝርዝር ከደንበኝነት ትፈልጋለህ? DocType: Address,Plant,ተክል apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,ለሁሉም መልስ DocType: DocType,Setup,አዘገጃጀት @@ -2035,8 +2048,8 @@ DocType: Workflow State,glass,ብርጭቆ DocType: DocType,Timeline Field,የጊዜ መስመር መስክ DocType: Country,Time Zones,የጊዜ ዞኖች apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,ቢያንስ አንድ ፈቃድ አገዛዝ መኖር አለበት. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,ንጥሎች ያግኙ -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,አንተ መሸወጃ መዳረሻ apporve ነበር. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,ንጥሎች ያግኙ +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,አንተ መሸወጃ መዳረሻ apporve ነበር. DocType: DocField,Image,ምስል DocType: Workflow State,remove-sign,አስወግድ-ምልክት apps/frappe/frappe/www/search.html +30,Type something in the search box to search,ለመፈለግ የፍለጋ ሳጥን ውስጥ የሆነ ነገር ይተይቡ @@ -2045,9 +2058,9 @@ DocType: Communication,Other,ሌላ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,አዲስ ቅርጸት ይጀምሩ apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,አንድ ፋይል ማያያዝ እባክዎ DocType: Workflow State,font,ቅርጸ-ቁምፊ -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,ይህ ከፍተኛ-100 የጋራ የይለፍ ቃል ነው. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,ይህ ከፍተኛ-100 የጋራ የይለፍ ቃል ነው. apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,ብቅ-ባዮችን ለማንቃት እባክዎ -DocType: Contact,Mobile No,የተንቀሳቃሽ ስልክ የለም +DocType: User,Mobile No,የተንቀሳቃሽ ስልክ የለም DocType: Communication,Text Content,የጽሑፍ ይዘት DocType: Customize Form Field,Is Custom Field,ብጁ መስክ ነው DocType: Workflow,"If checked, all other workflows become inactive.","ከተመረጠ, ሁሉም ሌሎች ደንቦችዎን-አልባ ይሆናሉ." @@ -2062,7 +2075,7 @@ DocType: Email Flag Queue,Action,እርምጃ apps/frappe/frappe/www/update-password.html +111,Please enter the password,እባክዎ የይለፍ ቃል ያስገቡ apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,አይደለም የተሰረዙ ሰነዶችን ማተም አይፈቀድም apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,እናንተ አምዶች መፍጠር አይፈቀድም -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,መረጃ: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,መረጃ: DocType: Custom Field,Permission Level,ፍቃድ ደረጃ DocType: User,Send Notifications for Transactions I Follow,እኔ ተከተለኝ የግብይት ማሳወቂያዎች ላክ apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write","{0}: አስገባ ሰርዝ, ጻፍ ያለ እንዲሻሻል ማዘጋጀት አይቻልም" @@ -2080,11 +2093,11 @@ DocType: DocField,In List View,ዝርዝር ይመልከቱ DocType: Email Account,Use TLS,ይጠቀሙ TLS apps/frappe/frappe/email/smtp.py +24,Invalid login or password,ልክ ያልሆነ አገባብ ወይም የይለፍ ቃል apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,ቅጾች ብጁ ጃቫስክሪፕት ያክሉ. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,SR አይ +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,SR አይ ,Role Permissions Manager,ሚና ፍቃዶች አስተዳዳሪ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,አዲስ የህትመት ቅርጸት ስም -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,አጽዳ አባሪ -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,የግዴታ: +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,አጽዳ አባሪ +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,የግዴታ: ,User Permissions Manager,የተጠቃሚ ፍቃዶች አስተዳዳሪ DocType: Property Setter,New value to be set,አዲስ እሴት እንዲዘጋጅ DocType: Email Alert,Days Before or After,ቀናት በፊት ወይም በኋላ @@ -2120,14 +2133,14 @@ apps/frappe/frappe/model/base_document.py +428,Value missing for,እሴት ጠ apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,የልጅ አክል apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: ገብቷል ቅረጽ ሊሰረዝ አይችልም. apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,ምትኬ መጠን -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,ሰነድ አዲስ አይነት +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,ሰነድ አዲስ አይነት DocType: Custom DocPerm,Read,አነበበ DocType: Role Permission for Page and Report,Role Permission for Page and Report,ገጽ እና ሪፖርት ለ ሚና ፍቃድ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,እሴት አሰልፍ apps/frappe/frappe/www/update-password.html +14,Old Password,የድሮ የይለፍ ቃል apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},ልጥፎች {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.","ቅርጸት ወደ አምዶች, የሚከተለው መጠይቅ ውስጥ አምድ መለያዎችን ይሰጣሉ." -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,መለያ የለህም? ተመዝገቢ +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,መለያ የለህም? ተመዝገቢ apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,{0}: Submittable አይደለም ከሆነ መድብ እንዲሻሻል ማዘጋጀት አይቻልም apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,ሚና አርትዕ ፍቃዶች DocType: Communication,Link DocType,አገናኝ DocType @@ -2141,7 +2154,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,የልጆ apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,እናንተ የምትፈልጉት ገጽ ይጎድለዋል. ይህ ተንቀሳቅሷል ወይም አገናኝ ውስጥ የትየባ በዚያ ነው; ምክንያቱም ይህ ሊሆን ይችላል. apps/frappe/frappe/www/404.html +13,Error Code: {0},የስህተት ኮድ: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)",", ስነጣ አልባ ጽሑፍ ውስጥ, መስመሮች ብቻ አንድ ባልና ሚስት ዝርዝር ገፅ የሚሆን መግለጫ. (ቢበዛ 140 ቁምፊዎች)" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,አንድ ተጠቃሚ ገደብ አክል +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,አንድ ተጠቃሚ ገደብ አክል DocType: DocType,Name Case,ስም መያዣ apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,ለሁሉም ሰው ጋር ተጋርቷል apps/frappe/frappe/model/base_document.py +423,Data missing in table,የውሂብ ሰንጠረዥ ውስጥ ይጎድላል @@ -2165,7 +2178,7 @@ apps/frappe/frappe/public/js/frappe/roles_editor.js +28,Add all roles,ሁሉም apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your email and message so that we \ can get back to you. Thanks!",እኛ ወደ አንተ ማግኘት ይችላሉ \ እንዲችሉ የእርስዎ ኢሜይል እና መልዕክት ሁለቱም ያስገቡ. አመሰግናለሁ! apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,የወጪ የኢሜይል አገልጋይ ጋር መገናኘት አልተቻለም -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,የእኛን ዝማኔዎች ደንበኝነት ላሳዩት ፍላጎት እናመሰግናለን +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,የእኛን ዝማኔዎች ደንበኝነት ላሳዩት ፍላጎት እናመሰግናለን apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,ብጁ አምድ DocType: Workflow State,resize-full,እጀታ-ሙሉ DocType: Workflow State,off,ጠፍቷል @@ -2183,10 +2196,10 @@ DocType: OAuth Bearer Token,Expires In,ውስጥ ጊዜው ያበቃል DocType: DocField,Allow on Submit,አስገባ ላይ ፍቀድ DocType: DocField,HTML,ኤችቲኤምኤል DocType: Error Snapshot,Exception Type,ለየት አይነት -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,አምዶች ይምረጡ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,አምዶች ይምረጡ DocType: Web Page,Add code as <script>,<ስክሪፕት> እንደ ኮድ ያክሉ apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +7,Select Type,ምረጥ አይነት -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +24,Please enter values for App Access Key and App Secret Key,የመተግበሪያ መዳረሻ ቁልፍ እና የመተግበሪያ ሚስጥር ቁልፍ እሴቶች ያስገቡ +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +26,Please enter values for App Access Key and App Secret Key,የመተግበሪያ መዳረሻ ቁልፍ እና የመተግበሪያ ሚስጥር ቁልፍ እሴቶች ያስገቡ DocType: Web Form,Accept Payment,ክፍያ ተቀበል apps/frappe/frappe/config/core.py +62,A log of request errors,ጥያቄ ስህተቶች አንድ መዝገብ DocType: Report,Letter Head,ደብዳቤ ኃላፊ @@ -2216,11 +2229,11 @@ apps/frappe/frappe/public/js/frappe/request.js +111,Please try again,እባክ apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 3,አማራጭ 3 DocType: Unhandled Email,uid,UID DocType: Workflow State,Edit,አርትዕ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Permissions can be managed via Setup > Role Permissions Manager,ፍቃዶች ማዋቀር> ሚና ፍቃዶች አስተዳዳሪ በኩል ሊደራጅ ይችላል +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +226,Permissions can be managed via Setup > Role Permissions Manager,ፍቃዶች ማዋቀር> ሚና ፍቃዶች አስተዳዳሪ በኩል ሊደራጅ ይችላል DocType: Contact Us Settings,Pincode,ፒን ኮድ apps/frappe/frappe/core/page/data_import_tool/importer.py +81,Please make sure that there are no empty columns in the file.,ምንም ባዶ አምዶች ፋይል ውስጥ እንዳሉ እርግጠኛ ይሁኑ. apps/frappe/frappe/utils/oauth.py +232,Please ensure that your profile has an email address,የእርስዎ መገለጫ የኢሜይል አድራሻ ያለው መሆኑን ያረጋግጡ -apps/frappe/frappe/public/js/frappe/model/create_new.js +282,You have unsaved changes in this form. Please save before you continue.,በዚህ ቅጽ ላይ ያልተቀመጡ ለውጦች አለዎት. ደረጃ ከመሔድ በፊት ያስቀምጡ. +apps/frappe/frappe/public/js/frappe/model/create_new.js +286,You have unsaved changes in this form. Please save before you continue.,በዚህ ቅጽ ላይ ያልተቀመጡ ለውጦች አለዎት. ደረጃ ከመሔድ በፊት ያስቀምጡ. apps/frappe/frappe/core/doctype/doctype/doctype.py +439,Default for {0} must be an option,{0} አማራጭ መሆን አለበት ነባሪ DocType: Tag Doc Category,Tag Doc Category,መለያ ሰነድ ምድብ DocType: User,User Image,የተጠቃሚ ምስል @@ -2228,10 +2241,10 @@ apps/frappe/frappe/email/queue.py +286,Emails are muted,ኢሜይሎች ድም apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Up,Ctrl + እስከ DocType: Website Theme,Heading Style,ርዕስ ቅጥ apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,ይህን ስም የያዘ አዲስ ፕሮጀክት ተፈጥሯል ይደረጋል -apps/frappe/frappe/utils/data.py +527,1 weeks ago,1 ሳምንት በፊት +apps/frappe/frappe/utils/data.py +528,1 weeks ago,1 ሳምንት በፊት apps/frappe/frappe/desk/page/applications/applications.py +75,You cannot install this app,ይህን መተግበሪያ መጫን አይችልም DocType: Communication,Error,ስሕተት -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +89,Do not send Emails.,ኢሜይሎች አይላኩ. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +99,Do not send Emails.,ኢሜይሎች አይላኩ. DocType: DocField,Column Break,አምድ እረፍት DocType: Event,Thursday,ሐሙስ apps/frappe/frappe/utils/response.py +143,You don't have permission to access this file,ይህን ፋይል ለመድረስ ፈቃድ የልዎትም @@ -2275,25 +2288,23 @@ apps/frappe/frappe/config/desk.py +38,Private and public Notes.,የግል እና DocType: DocField,Datetime,DATETIME apps/frappe/frappe/templates/includes/login/login.js +174,Not a valid user,ትክክለኛ ተጠቃሚ DocType: Workflow State,arrow-right,ቀስት-ቀኝ -apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} አመት (ዎች) በፊት DocType: Workflow State,Workflow state represents the current state of a document.,የስራ ፍሰት ሁኔታ አንድ ሰነድ የአሁኑ ሁኔታ ያመለክታል. apps/frappe/frappe/utils/oauth.py +221,Token is missing,ማስመሰያ ይጎድለዋል apps/frappe/frappe/utils/file_manager.py +269,Removed {0},ተወግዷል {0} DocType: Company History,Highlight,ድምቀት DocType: OAuth Provider Settings,Force,ኃይል DocType: DocField,Fold,አጠፈ -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +656,Ascending,ሽቅብታ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Ascending,ሽቅብታ apps/frappe/frappe/printing/doctype/print_format/print_format.py +19,Standard Print Format cannot be updated,መደበኛ የህትመት ቅርጸት መዘመን አይችልም apps/frappe/frappe/public/js/frappe/model/model.js +537,Please specify,እባክዎን ይግለጹ DocType: Communication,Bot,bot DocType: Help Article,Help Article,የእገዛ አንቀጽ DocType: Page,Page Name,የገጽ ስም -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +202,Help: Field Properties,እርዳታ: የመስክ ንብረቶች -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +134,Importing...,በማስገባት ላይ ... +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +203,Help: Field Properties,እርዳታ: የመስክ ንብረቶች +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +137,Importing...,በማስገባት ላይ ... apps/frappe/frappe/core/doctype/file/file.js +27,Unzip,unzip apps/frappe/frappe/model/document.py +923,Incorrect value in row {0}: {1} must be {2} {3},ረድፍ ውስጥ ትክክል ያልሆነ እሴት {0}: {1} {2} መሆን አለበት {3} apps/frappe/frappe/workflow/doctype/workflow/workflow.py +67,Submitted Document cannot be converted back to draft. Transition row {0},ገብቷል ሰነድ ረቂቅ ተመልሶ ሊቀየር አይችልም. የሽግግር ረድፍ {0} -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,ውቅረት> ተጠቃሚ apps/frappe/frappe/desk/reportview.py +217,Deleting {0},በመሰረዝ ላይ {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start.html +2,Select an existing format to edit or start a new format.,ማርትዕ ወይም አዲስ ቅርጸት ለመጀመር አንድ ነባር ቅርጸት ይምረጡ. apps/frappe/frappe/workflow/doctype/workflow/workflow.py +38,Created Custom Field {0} in {1},የተፈጠረው ብጁ መስክ {0} ውስጥ {1} @@ -2311,12 +2322,12 @@ DocType: OAuth Provider Settings,Auto,ራስ- DocType: Workflow State,question-sign,ጥያቄ-ምልክት DocType: Email Account,Add Signature,ፊርማ አክል apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +38,Left this conversation,ከዚህ ውይይት ወጥተዋል -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +479,Did not set,አልተዘጋጀም ነበር +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Did not set,አልተዘጋጀም ነበር ,Background Jobs,የጀርባ ስራዎች DocType: ToDo,ToDo,ለመስራት DocType: DocField,No Copy,ምንም ቅዳ DocType: Workflow State,qrcode,qrcode -apps/frappe/frappe/www/login.html +29,Login with LDAP,ኤልዲኤፒ ጋር ይግቡ +apps/frappe/frappe/www/login.html +34,Login with LDAP,ኤልዲኤፒ ጋር ይግቡ DocType: Web Form,Breadcrumbs,የዳቦ ፍርፋሪ apps/frappe/frappe/core/doctype/doctype/doctype.py +637,If Owner,ባለቤት ከሆነ DocType: OAuth Authorization Code,Expiration time,የሚያልፍበት ሰዓት @@ -2325,7 +2336,7 @@ DocType: Web Form,Show Sidebar,የጎን አሞሌን አሳይ apps/frappe/frappe/website/doctype/web_form/web_form.py +128,You need to be logged in to access this {0}.,ይህን ለመድረስ ውስጥ መግባት አለብዎት {0}. apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +142,Complete By,በ ተጠናቅቋል apps/frappe/frappe/templates/includes/comments/comments.py +48,{0} by {1},{0} በ {1} -apps/frappe/frappe/utils/password_strength.py +169,All-uppercase is almost as easy to guess as all-lowercase.,ሁሉም አቢይ ሁሉ-ፊደሎች እንደ ለመገመት ማለት ይቻላል ቀላል ነው. +apps/frappe/frappe/utils/password_strength.py +171,All-uppercase is almost as easy to guess as all-lowercase.,ሁሉም አቢይ ሁሉ-ፊደሎች እንደ ለመገመት ማለት ይቻላል ቀላል ነው. DocType: Feedback Trigger,Email Fieldname,የኢሜይል Fieldname DocType: Website Settings,Top Bar Items,ከፍተኛ አሞሌ ንጥሎች apps/frappe/frappe/email/doctype/email_account/email_account.py +53,"Email id must be unique, Email Account is already exist \ @@ -2335,19 +2346,17 @@ DocType: Page,Yes,አዎ DocType: DocType,Max Attachments,ከፍተኛ አባሪዎች DocType: Desktop Icon,Page,ገጽ apps/frappe/frappe/utils/bot.py +145,Could not find {0} in {1},ማግኘት አልተቻለም {0} ውስጥ {1} -apps/frappe/frappe/utils/password_strength.py +161,Names and surnames by themselves are easy to guess.,ራሳቸውን ስሞች እና አይበልጥም. ለመገመት ቀላል ናቸው. +apps/frappe/frappe/utils/password_strength.py +163,Names and surnames by themselves are easy to guess.,ራሳቸውን ስሞች እና አይበልጥም. ለመገመት ቀላል ናቸው. apps/frappe/frappe/config/website.py +93,Knowledge Base,እውቀት መሰረት DocType: Workflow State,briefcase,የእጅ ቦርሳ apps/frappe/frappe/model/base_document.py +561,Value cannot be changed for {0},እሴት መለወጥ አይችልም {0} -apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.",የእርስዎ ስም ይልቅ የእርስዎ ኢሜይል ተጻፈ ይመስላል. መልሰን ማግኘት እንድንችል \ ልክ የሆነ የኢሜይል አድራሻ ያስገቡ. DocType: Feedback Request,Is Manual,በእጅ ነው DocType: Workflow State,"Style represents the button color: Success - Green, Danger - Red, Inverse - Black, Primary - Dark Blue, Info - Light Blue, Warning - Orange","ቅጥ አዝራሩን ቀለም ያመለክታል: ስኬት - አረንጓዴ, አደጋ - ቀይ, ተገላቢጦሽ - ጥቁር, የመጀመሪያ ደረጃ - ደማቅ ሰማያዊ, መረጃ - ፈካ ያለ ሰማያዊ, ማስጠንቀቂያ - ኦሬንጅ" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +158,No Report Loaded. Please use query-report/[Report Name] to run a report.,ምንም ሪፖርት ተጭኗል. / [ሪፖርት ስም] አንድ ሪፖርት ለማስኬድ መጠይቅ-ሪፖርት ይጠቀሙ. DocType: Workflow Transition,Workflow Transition,የስራ ፍሰት ሽግግር apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +53,{0} months ago,{0} ወራት በፊት apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,የተፈጠረ -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +92,Dropbox Setup,መሸወጃ ማዋቀር +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +90,Dropbox Setup,መሸወጃ ማዋቀር DocType: Workflow State,resize-horizontal,እጀታ-አግድመት DocType: Note,Content,ይዘት apps/frappe/frappe/public/js/frappe/views/treeview.js +261,Group Node,የቡድን መስቀለኛ መንገድ @@ -2355,6 +2364,7 @@ DocType: Communication,Notification,ማስታወቂያ DocType: Web Form,Go to this url after completing the form.,ቅጽ በመሙላት በኋላ ይህን ዩ አር ኤል ይሂዱ. DocType: DocType,Document,ሰነድ apps/frappe/frappe/core/doctype/doctype/doctype.py +186,Series {0} already used in {1},ቀደም ሲል ጥቅም ላይ ተከታታይ {0} {1} +apps/frappe/frappe/core/page/data_import_tool/importer.py +225,Unsupported File Format,የማይደገፍ ፋይል ቅርጸት DocType: DocField,Code,ኮድ DocType: Workflow,"All possible Workflow States and roles of the workflow. Docstatus Options: 0 is""Saved"", 1 is ""Submitted"" and 2 is ""Cancelled""",ሁሉም በተቻለ ፍሰት ስቴትስ እና የስራ ፍሰቱ ሚና. Docstatus አማራጮች: 0 "ያድናል" ነው 1 "ገብቷል" ነው እና 2 "ተሰርዟል" ነው DocType: Website Theme,Footer Text Color,የግርጌ ጽሁፍ ቀለም @@ -2379,17 +2389,17 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +45,just now,ልክ አ DocType: Footer Item,Policy,ፖሊሲ apps/frappe/frappe/integrations/utils.py +76,{0} Settings not found,{0} ቅንብሮች አልተገኘም DocType: Module Def,Module Def,ሞዱል DEF -apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,Done,ተከናውኗል apps/frappe/frappe/core/doctype/communication/communication.js +61,Reply,መልስ apps/frappe/frappe/config/core.py +22,Pages in Desk (place holders),ዴስክ ውስጥ የሚገኙ ገጾች (ቦታ ያዢዎች) DocType: DocField,Collapsible Depends On,ሊሰበሰቡ ላይ ይመረኮዛል DocType: Print Settings,Allow page break inside tables,ሰንጠረዦች ውስጥ ገጽ ከፋይ ፍቀድ DocType: Email Account,SMTP Server,SMTP አገልጋይ DocType: Print Format,Print Format Help,አትም ቅርጸት እገዛ +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +63,Update the template and save in downloaded format before attaching.,አብነቱን ያዘምኑ እና በማያያዝ በፊት የወረዱ ቅርጸት ውስጥ ማስቀመጥ. apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +852,With Groups,ቡድኖች ጋር DocType: DocType,Beta,ይሁንታ apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +22,restored {0} as {1},ወደነበረበት {0} እንደ {1} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","ከማዘመን ከሆነ, "ተካ" የሚለውን ይምረጡ እባክዎ ሌላ ነባር ረድፎች አይሰረዙም." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +71,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","ከማዘመን ከሆነ, "ተካ" የሚለውን ይምረጡ እባክዎ ሌላ ነባር ረድፎች አይሰረዙም." DocType: Event,Every Month,በየወሩ DocType: Letter Head,Letter Head in HTML,ኤች ቲ ኤም ኤል ውስጥ ደብዳቤ ኃላፊ DocType: Web Form,Web Form,የድር ቅጽ @@ -2412,14 +2422,14 @@ apps/frappe/frappe/public/js/frappe/socketio_client.js +51,Progress,እድገት apps/frappe/frappe/public/js/frappe/form/workflow.js +32, by Role ,ሚና በ apps/frappe/frappe/public/js/frappe/form/save.js +148,Missing Fields,የጠፋ መስኮች apps/frappe/frappe/core/doctype/doctype/doctype.py +176,Invalid fieldname '{0}' in autoname,autoname ውስጥ ልክ ያልሆነ fieldname «{0}» -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Search in a document type,አንድ ሰነድ ዓይነት ውስጥ ይፈልጉ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +257,Allow field to remain editable even after submission,መስክ እንኳን ከገባ በኋላ ሊደረግበት እንዲቀር +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,Search in a document type,አንድ ሰነድ ዓይነት ውስጥ ይፈልጉ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +258,Allow field to remain editable even after submission,መስክ እንኳን ከገባ በኋላ ሊደረግበት እንዲቀር DocType: Custom DocPerm,Role and Level,ሚና እና ደረጃ DocType: File,Thumbnail URL,ድንክዬ ዩ አር ኤል apps/frappe/frappe/desk/moduleview.py +37,Custom Reports,ብጁ ሪፖርቶች DocType: Website Script,Website Script,የድር ጣቢያ ስክሪፕት apps/frappe/frappe/config/setup.py +182,Customized HTML Templates for printing transactions.,የሕትመት ግብይቶች የተበጁ የ HTML አብነቶች. -apps/frappe/frappe/public/js/frappe/form/print.js +247,Orientation,አቀማመጥ +apps/frappe/frappe/public/js/frappe/form/print.js +250,Orientation,አቀማመጥ DocType: Workflow,Is Active,ገቢር ነው apps/frappe/frappe/desk/form/utils.py +91,No further records,ምንም ተጨማሪ መረጃዎች DocType: DocField,Long Text,ረጅም ጽሑፍ @@ -2443,7 +2453,6 @@ apps/frappe/frappe/templates/includes/contact.js +30,Thank you for your message, apps/frappe/frappe/public/js/frappe/views/communication.js +68,Send Read Receipt,አንብብ ደረሰኝ ላክ DocType: Stripe Settings,Stripe Settings,ሰንበር ቅንብሮች DocType: Dropbox Settings,Dropbox Setup via Site Config,የጣቢያ Config በኩል dropbox ቅንብር -apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,ምንም ነባሪ አድራሻ አብነት አልተገኘም. ውቅረት> ማተም እና ብራንዲንግ> አድራሻ መለጠፊያ አንድ አዲስ ፍጠር እባክህ. apps/frappe/frappe/www/login.py +64,Invalid Login Token,ልክ ያልሆነ መግቢያ ማስመሰያ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +48,1 hour ago,1 ሰዓት በፊት DocType: Social Login Keys,Frappe Client ID,Frappe የደንበኛ መታወቂያ @@ -2464,7 +2473,7 @@ DocType: Address Template,"

    Default Template

    {% if email_id %}Email: {{ email_id }}<br>{% endif -%} ","

    ነባሪ አብነት

    ይጠቀማል ጂንጃ Templating እና ይገኛል (ካለ ብጁ መስኮች ጨምሮ) አድራሻ ሁሉ መስኮች

     {{ address_line1 }}<br> {% if address_line2 %}{{ address_line2 }}<br>{% endif -%} {{ city }}<br> {% if state %}{{ state }}<br>{% endif -%} {% if pincode %} PIN: {{ pincode }}<br>{% endif -%} {{ country }}<br> {% if phone %}Phone: {{ phone }}<br>{% endif -%} {% if fax %}Fax: {{ fax }}<br>{% endif -%} {% if email_id %}Email: {{ email_id }}<br>{% endif -%} 
    " DocType: Role,Role Name,ሚና ስም -apps/frappe/frappe/website/js/website.js +379,Switch To Desk,ዴስክ ወደ ቀይር +apps/frappe/frappe/website/js/website.js +376,Switch To Desk,ዴስክ ወደ ቀይር apps/frappe/frappe/config/core.py +27,Script or Query reports,ስክሪፕት ወይም መጠይቅ ዘግቧል DocType: Workflow Document State,Workflow Document State,የስራ ፍሰት ሰነድ ግዛት apps/frappe/frappe/public/js/frappe/request.js +115,File too big,በጣም ትልቅ ፋይል @@ -2477,14 +2486,14 @@ apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel befor apps/frappe/frappe/www/printview.py +205,Print Format {0} is disabled,የህትመት ቅርጸት {0} ተሰናክሏል DocType: Email Alert,Send days before or after the reference date,በፊት ወይም የማጣቀሻ ቀን በኋላ ቀናት ላክ DocType: User,Allow user to login only after this hour (0-24),ተጠቃሚ ብቻ ከዚህ ሰዓት በኋላ መግባት (0-24) ፍቀድ -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Value,ዋጋ -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +166,Click here to verify,ለማረጋገጥ እዚህ ላይ ጠቅ ያድርጉ -apps/frappe/frappe/utils/password_strength.py +172,Predictable substitutions like '@' instead of 'a' don't help very much.,ሊገመት እንደ ተለዋጭ ምግብ '@' ይልቅ 'አንድ' በጣም ብዙ መርዳት አይደለም. +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Value,ዋጋ +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +165,Click here to verify,ለማረጋገጥ እዚህ ላይ ጠቅ ያድርጉ +apps/frappe/frappe/utils/password_strength.py +174,Predictable substitutions like '@' instead of 'a' don't help very much.,ሊገመት እንደ ተለዋጭ ምግብ '@' ይልቅ 'አንድ' በጣም ብዙ መርዳት አይደለም. apps/frappe/frappe/desk/doctype/todo/todo_list.js +22,Assigned By Me,እኔ በ የተመደበው apps/frappe/frappe/core/doctype/doctype/doctype.py +80,Not in Developer Mode! Set in site_config.json or make 'Custom' DocType.,አይደለም የገንቢ ሁነታ ላይ! site_config.json ውስጥ አዘጋጅ ወይም 'ብጁ' DocType ማድረግ. DocType: Workflow State,globe,ክበብ ምድር DocType: System Settings,dd.mm.yyyy,dd.mm.yyyy -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +249,Hide field in Standard Print Format,መደበኛ የህትመት ቅርጸት ውስጥ ደብቅ መስክ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +250,Hide field in Standard Print Format,መደበኛ የህትመት ቅርጸት ውስጥ ደብቅ መስክ DocType: ToDo,Priority,ቅድሚያ DocType: Email Queue,Unsubscribe Param,ከደንበኝነት PARAM DocType: Auto Email Report,Weekly,ሳምንታዊ @@ -2497,10 +2506,10 @@ DocType: Contact,Purchase Master Manager,የግዢ መምህር አስተዳዳ DocType: Module Def,Module Name,ሞጁል ስም DocType: DocType,DocType is a Table / Form in the application.,DocType መተግበሪያው ውስጥ የርዕስ ማውጫ / ቅጽ ነው. DocType: Email Account,GMail,የ GMail -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,{0} Report,{0} ሪፖርት +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +111,{0} Report,{0} ሪፖርት DocType: Communication,SMS,ኤስኤምኤስ DocType: DocType,Web View,የድር ዕይታ -apps/frappe/frappe/public/js/frappe/form/print.js +166,Warning: This Print Format is in old style and cannot be generated via the API.,ማስጠንቀቂያ: ይህ ህትመት ቅርጸት የድሮ ቅጥ ውስጥ ነው እና ኤ ፒ አይ በኩል ሊፈጠር አይችልም. +apps/frappe/frappe/public/js/frappe/form/print.js +169,Warning: This Print Format is in old style and cannot be generated via the API.,ማስጠንቀቂያ: ይህ ህትመት ቅርጸት የድሮ ቅጥ ውስጥ ነው እና ኤ ፒ አይ በኩል ሊፈጠር አይችልም. DocType: DocField,Print Width,አትም ስፋት ,Setup Wizard,የውቅር አዋቂ DocType: User,Allow user to login only before this hour (0-24),ተጠቃሚ ብቻ በዚህ ሰዓት በፊት መግባት (0-24) ፍቀድ @@ -2532,14 +2541,14 @@ apps/frappe/frappe/utils/csvutils.py +35,Invalid CSV Format,ልክ ያልሆነ DocType: Address,Name of person or organization that this address belongs to.,ይህን አድራሻ ንብረት ሰው ወይም ድርጅት ስም. apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,ምትኬዎች ቁጥር አዘጋጅ DocType: DocField,Do not allow user to change after set the first time,ለመጀመሪያ ጊዜ ተጠቃሚው በኋላ ለማዘጋጀት ሊለወጥ አትፍቀድ -apps/frappe/frappe/public/js/frappe/upload.js +247,Private or Public?,የግል ወይም ይፋዊ? -apps/frappe/frappe/utils/data.py +535,1 year ago,1 ዓመት በፊት +apps/frappe/frappe/public/js/frappe/upload.js +251,Private or Public?,የግል ወይም ይፋዊ? +apps/frappe/frappe/utils/data.py +536,1 year ago,1 ዓመት በፊት DocType: Contact,Contact,እውቂያ DocType: User,Third Party Authentication,የሦስተኛ ወገን ማረጋገጫ DocType: Website Settings,Banner is above the Top Menu Bar.,ሰንደቅ ምርጥ ምናሌ አሞሌ በላይ ነው. DocType: Razorpay Settings,API Secret,የኤ ፒ አይ ሚስጥር -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +726,Export Report: ,ወደ ውጪ ላክ ሪፖርት: -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +672,{0} {1} does not exist,{0} {1} የለም +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +853,Export Report: ,ወደ ውጪ ላክ ሪፖርት: +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +674,{0} {1} does not exist,{0} {1} የለም DocType: Email Account,Port,ወደብ DocType: Print Format,Arial,አሪያል apps/frappe/frappe/config/core.py +12,Models (building blocks) of the Application,ወደ ማመልከቻ ሞዴሎች (ለማስገኘት) @@ -2571,9 +2580,9 @@ DocType: DocField,Display Depends On,ማሳያ ላይ ይመረኮዛል DocType: Web Page,Insert Code,አስገባ ኮድ DocType: ToDo,Low,ዝቅ ያለ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +697,You can add dynamic properties from the document by using Jinja templating.,አንተ ጂንጃ templating በመጠቀም ሰነዱን ከ ተለዋዋጭ ንብረቶች ማከል ይችላሉ. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,List a document type,ሰነድ አይነት ዘርዝር +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,List a document type,ሰነድ አይነት ዘርዝር DocType: Event,Ref Type,ማጣቀሻ አይነት -apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,"If you are uploading new records, leave the ""name"" (ID) column blank.","አዲስ ሪኮርድ እየሰቀሉ ከሆነ, የ "ስም" (አይዲ) አምድ ባዶ ተወው." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, leave the ""name"" (ID) column blank.","አዲስ ሪኮርድ እየሰቀሉ ከሆነ, የ "ስም" (አይዲ) አምድ ባዶ ተወው." apps/frappe/frappe/config/core.py +47,Errors in Background Events,የጀርባ ክስተቶች ውስጥ ስህተቶች apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +399,No of Columns,አምዶች የሉም DocType: Workflow State,Calendar,ቀን መቁጠሪያ @@ -2588,7 +2597,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +106,Unable to load: {0},መ apps/frappe/frappe/config/integrations.py +28,Backup,ምትኬ apps/frappe/frappe/core/page/usage_info/usage_info.html +3,Expires in {0} days,{0} ቀናት ውስጥ ጊዜው ያበቃል DocType: DocField,Read Only,ለማንበብ ብቻ የተፈቀደ -apps/frappe/frappe/email/doctype/email_group/email_group.js +43,New Newsletter,አዲስ ጋዜጣ +apps/frappe/frappe/email/doctype/email_group/email_group.js +45,New Newsletter,አዲስ ጋዜጣ DocType: Print Settings,Send Print as PDF,እንደ PDF Print ላክ DocType: Web Form,Amount,መጠን DocType: Workflow Transition,Allowed,ተፈቅዷል @@ -2602,14 +2611,14 @@ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filt apps/frappe/frappe/core/doctype/doctype/doctype.py +654,{0}: Permission at level 0 must be set before higher levels are set,{0}: ከፍተኛ ደረጃ ማዘጋጀት በፊት ደረጃ 0 ላይ ፈቃድ መዘጋጀት አለበት apps/frappe/frappe/desk/doctype/todo/todo.py +28,Assignment closed by {0},ተልእኮ በ ተዘግቷል {0} DocType: Integration Request,Remote,ሩቅ -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +140,Calculate,አሰበ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Calculate,አሰበ apps/frappe/frappe/printing/doctype/print_format/print_format.js +28,Please select DocType first,መጀመሪያ DocType እባክዎ ይምረጡ -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +174,Confirm Your Email,የእርስዎ ኢሜይል ያረጋግጡ -apps/frappe/frappe/www/login.html +37,Or login with,ወይስ ጋር መግባት +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +173,Confirm Your Email,የእርስዎ ኢሜይል ያረጋግጡ +apps/frappe/frappe/www/login.html +42,Or login with,ወይስ ጋር መግባት DocType: Error Snapshot,Locals,የአካባቢው ሰዎች apps/frappe/frappe/desk/page/activity/activity_row.html +19,Communicated via {0} on {1}: {2},በኩል እንዳልተካፈለች {0} ላይ {1}: {2} apps/frappe/frappe/core/doctype/communication/comment.py +85,{0} mentioned you in a comment in {1},{0} ውስጥ አስተያየት ውስጥ ጠቅሶሃል {1} -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,ለምሳሌ: (55 + 434) / 4 ወይም = Math.sin (Math.PI / 2) ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,ለምሳሌ: (55 + 434) / 4 ወይም = Math.sin (Math.PI / 2) ... apps/frappe/frappe/model/naming.py +45,{0} is required,{0} ያስፈልጋል DocType: Integration Request,Integration Type,የውህደት አይነት DocType: Newsletter,Send Attachements,Attachements ላክ @@ -2621,10 +2630,11 @@ DocType: Web Page,Web Page,ድረ ገጽ DocType: Blog Category,Blogger,ብሎገር apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},'ግሎባል ፍለጋ ውስጥ' አይነት አይፈቀድም {0} ረድፍ ውስጥ {1} apps/frappe/frappe/public/js/frappe/views/treeview.js +297,View List,ይመልከቱ ዝርዝር -apps/frappe/frappe/public/js/frappe/form/control.js +685,Date must be in format: {0},የቀን ቅርጸት ውስጥ መሆን አለባቸው: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +686,Date must be in format: {0},የቀን ቅርጸት ውስጥ መሆን አለባቸው: {0} DocType: Workflow,Don't Override Status,ሁኔታ ሻር አትበል apps/frappe/frappe/www/feedback.html +90,Please give a rating.,ደረጃ ይስጡ. apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} ግብረ ጥያቄ +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +26,Search term,የፍለጋ ቃል apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +548,The First User: You,የመጀመሪያው አባል: አንተ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +32,Select Columns,ይምረጡ አምዶች DocType: Translation,Source Text,ምንጭ ጽሑፍ @@ -2636,15 +2646,15 @@ apps/frappe/frappe/config/website.py +37,Single Post (article).,ነጠላ ልጥ apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +10,Reports,ሪፖርቶች DocType: Page,No,አይ DocType: Property Setter,Set Value,አዘጋጅ እሴት -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +245,Hide field in form,መልክ መስክ ደብቅ -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +93,Illegal Access Token. Please try again,ህገወጥ የመዳረሻ ማስመሰያ. እባክዎ ዳግም ይሞክሩ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +246,Hide field in form,መልክ መስክ ደብቅ +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +91,Illegal Access Token. Please try again,ህገወጥ የመዳረሻ ማስመሰያ. እባክዎ ዳግም ይሞክሩ apps/frappe/frappe/public/js/frappe/desk.js +93,"The application has been updated to a new version, please refresh this page","መተግበሪያው አዲስ ስሪት ወደ ዘምኗል, ይህን ገጽ ያድሱት እባክዎ" apps/frappe/frappe/core/doctype/communication/communication.js +35,Resend,ዳግም ላክ DocType: Feedback Trigger,Optional: The alert will be sent if this expression is true,አማራጭ: ይህ አባባል እውነት ከሆነ ማንቂያ ይላካል DocType: Print Settings,Print with letterhead,ደብዳቤ ጋር አትም DocType: Unhandled Email,Raw Email,ጥሬ ኢሜይል apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,ምድብ ይምረጡ መዛግብት -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +135,Importing,በማስገባት ላይ +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +138,Importing,በማስገባት ላይ DocType: ToDo,Assigned By,በ የተመደበው apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +27,You can use Customize Form to set levels on fields.,እናንተ መስኮች ላይ ደረጃ ለማዘጋጀት ያብጁ ቅጽ መጠቀም ይችላሉ. DocType: Custom DocPerm,Level,ደረጃ @@ -2676,7 +2686,7 @@ apps/frappe/frappe/core/doctype/user/user.py +229,Password Reset,የይለፍ DocType: Communication,Opened,የተከፈተ DocType: Workflow State,chevron-left,ሸቭሮን-ግራ DocType: Communication,Sending,በመላክ ላይ -apps/frappe/frappe/auth.py +228,Not allowed from this IP Address,ይህ የአይ ፒ አድራሻ ከ አይፈቀድም +apps/frappe/frappe/auth.py +231,Not allowed from this IP Address,ይህ የአይ ፒ አድራሻ ከ አይፈቀድም DocType: Website Slideshow,This goes above the slideshow.,ይህ የተንሸራታች በላይ ይሄዳል. apps/frappe/frappe/config/setup.py +254,Install Applications.,መተግበሪያዎች ይጫኑ. DocType: User,Last Name,የአያት ሥም @@ -2691,7 +2701,6 @@ DocType: Address,State,ሁኔታ DocType: Workflow Action,Workflow Action,የስራ ፍሰት እርምጃ DocType: DocType,"Image Field (Must of type ""Attach Image"")",የምስል መስክ ( "ምስል ያያይዙ" ዓይነት አለበት) apps/frappe/frappe/utils/bot.py +43,I found these: ,እኔም እነዚህን አገኙ; -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +692,Set Sort,ደርድር አዘጋጅ DocType: Event,Send an email reminder in the morning,ጠዋት አንድ የኢሜይል አስታዋሽ ላክ DocType: Blog Post,Published On,ላይ የታተመ DocType: User,Gender,ፆታ @@ -2709,13 +2718,15 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +30 DocType: Workflow State,warning-sign,ማስጠንቀቂያ-ምልክት DocType: Workflow State,User,ተጠቃሚ DocType: Website Settings,"Show title in browser window as ""Prefix - title""",እንደ የአሳሽ መስኮት ውስጥ አሳይ ርዕስ "ቅድመ ቅጥያ - ርዕስ" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,text in document type,ሰነድ ዓይነት ውስጥ ጽሑፍ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,text in document type,ሰነድ ዓይነት ውስጥ ጽሑፍ apps/frappe/frappe/handler.py +91,Logged Out,ውጪ ገብቷል -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +236,More...,ተጨማሪ ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +237,More...,ተጨማሪ ... +DocType: System Settings,User can login using Email id or Mobile number,የተጠቃሚ የኢሜይል መታወቂያ ወይም የሞባይል ቁጥር በመጠቀም መግባት ይችላሉ DocType: Bulk Update,Update Value,አዘምን እሴት apps/frappe/frappe/core/doctype/communication/communication.js +73,Mark as {0},የማርቆስ እንደ {0} apps/frappe/frappe/model/rename_doc.py +25,Please select a new name to rename,መሰየም ወደ አዲስ ስም ይምረጡ apps/frappe/frappe/public/js/frappe/request.js +136,Something went wrong,የሆነ ስህተት ተከስቷል +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +186,Only {0} entries shown. Please filter for more specific results.,ብቻ {0} ግቤቶች ይታያሉ. ተጨማሪ የተወሰኑ ውጤቶችን ለማግኘት ማጣራት እባክህ. DocType: System Settings,Number Format,ቁጥር ቅርጸት DocType: Auto Email Report,Frequency,መደጋገም DocType: Custom Field,Insert After,በኋላ አስገባ @@ -2730,8 +2741,9 @@ DocType: Workflow State,cog,እሽክርክሪት apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +89,Sync on Migrate,መሸጋገር ላይ አመሳስል apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +64,Currently Viewing,በአሁኑ ጊዜ በማየት ላይ DocType: DocField,Default,ነባሪ -apps/frappe/frappe/public/js/frappe/form/link_selector.js +140,{0} added,{0} ታክሏል -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +133,Please save the report first,መጀመሪያ ሪፖርት ማስቀመጥ እባክዎ +apps/frappe/frappe/public/js/frappe/form/link_selector.js +143,{0} added,{0} ታክሏል +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +209,Search for '{0}',ፈልግ «{0}» +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +134,Please save the report first,መጀመሪያ ሪፖርት ማስቀመጥ እባክዎ apps/frappe/frappe/email/doctype/email_group/email_group.py +42,{0} subscribers added,{0} ተመዝጋቢዎች ታክሏል apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +9,Not In,አይደለም ውስጥ DocType: Workflow State,star,ኮከብ @@ -2750,7 +2762,7 @@ DocType: Address,Office,ቢሮ apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,ይህ Kanban ቦርድ የግል ይሆናል apps/frappe/frappe/desk/moduleview.py +73,Standard Reports,መደበኛ ሪፖርቶች DocType: User,Email Settings,የኢሜይል ቅንብሮች -apps/frappe/frappe/public/js/frappe/desk.js +345,Please Enter Your Password to Continue,ለመቀጠል እባክዎ የይለፍ ቃልዎን ያስገቡ +apps/frappe/frappe/public/js/frappe/desk.js +347,Please Enter Your Password to Continue,ለመቀጠል እባክዎ የይለፍ ቃልዎን ያስገቡ apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +99,Not a valid LDAP user,ትክክለኛ የኤልዲኤፒ ተጠቃሚ apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} አይደለም የሚሰራ መንግስት apps/frappe/frappe/integrations/doctype/paypal_settings/paypal_settings.py +90,Please select another payment method. PayPal does not support transactions in currency '{0}',ሌላ የክፍያ ስልት ይምረጡ. PayPal «{0}» ምንዛሬ ግብይቶችን አይደግፍም @@ -2771,7 +2783,7 @@ DocType: DocField,Unique,የተለየ apps/frappe/frappe/public/js/frappe/form/quick_entry.js +97,Ctrl+enter to save,Ctrl ለማስቀመጥ ያስገቡ + DocType: Email Account,Service,አገልግሎት DocType: File,File Name,የመዝገብ ስም -apps/frappe/frappe/core/page/data_import_tool/importer.py +349,Did not find {0} for {0} ({1}),ማግኘት አልተቻለም ነበር {0} ለ {0} ({1}) +apps/frappe/frappe/core/page/data_import_tool/importer.py +365,Did not find {0} for {0} ({1}),ማግኘት አልተቻለም ነበር {0} ለ {0} ({1}) apps/frappe/frappe/utils/bot.py +176,"Oops, you are not allowed to know that","ውይ, ይህን ታውቃለህ አልተፈቀደልህም" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +17,Next,ቀጣይ apps/frappe/frappe/config/setup.py +39,Set Permissions per User,በአንድ ተጠቃሚ አዘጋጅ ፍቃዶች @@ -2780,9 +2792,9 @@ apps/frappe/frappe/printing/doctype/print_format/print_format.js +26,Edit Format apps/frappe/frappe/core/doctype/user/user.py +245,Complete Registration,ሙሉ ምዝገባ apps/frappe/frappe/public/js/frappe/form/toolbar.js +189,New {0} (Ctrl+B),አዲስ {0} (Ctrl + ለ) apps/frappe/frappe/website/doctype/website_theme/website_theme.py +40,Top Bar Color and Text Color are the same. They should be have good contrast to be readable.,ከፍተኛ አሞሌ ቀለም እና የጽሁፍ ቀለም ተመሳሳይ ናቸው. እነዚህ ተነባቢ እንዲሆን ጥሩ ልዩነት ሊኖረው ይገባል. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,You can only upload upto 5000 records in one go. (may be less in some cases),አንተ ብቻ አንድ በመሄድ በ 5000 መዝገቦች እስከሁለት መስቀል ይችላሉ. (በአንዳንድ አጋጣሚዎች ያነሰ ሊሆን ይችላል) +apps/frappe/frappe/core/page/data_import_tool/exporter.py +68,You can only upload upto 5000 records in one go. (may be less in some cases),አንተ ብቻ አንድ በመሄድ በ 5000 መዝገቦች እስከሁለት መስቀል ይችላሉ. (በአንዳንድ አጋጣሚዎች ያነሰ ሊሆን ይችላል) apps/frappe/frappe/model/document.py +159,Insufficient Permission for {0},በቂ ፈቃድ {0} -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +763,Report was not saved (there were errors),ሪፖርት አልተቀመጠም ነበር (ስህተቶች ነበሩ) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +764,Report was not saved (there were errors),ሪፖርት አልተቀመጠም ነበር (ስህተቶች ነበሩ) apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +25,Numerically Ascending,በቁጥር ሽቅብ DocType: Print Settings,Print Style,አትም ቅጥ apps/frappe/frappe/public/js/frappe/form/linked_with.js +51,Not Linked to any record,ማንኛውንም መዝገብ ጋር አልተገናኘም @@ -2795,7 +2807,7 @@ apps/frappe/frappe/public/js/frappe/change_log.html +7,updated to {0},ወደ ዘ DocType: User,Desktop Background,ዴስክቶፕ ዳራ DocType: Portal Settings,Custom Menu Items,ብጁ ምናሌ ንጥሎች DocType: Workflow State,chevron-right,ሸቭሮን-ቀኝ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +214,"Change type of field. (Currently, Type change is \ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +215,"Change type of field. (Currently, Type change is \ allowed among 'Currency and Float')","መስክ አይነት ለውጥ. (በአሁኑ ጊዜ, ዓይነት ለውጥ \ 'ገንዘብና መንሳፈፊያ' መካከል ይፈቀዳል)" apps/frappe/frappe/website/doctype/web_form/web_form.py +35,You need to be in developer mode to edit a Standard Web Form,አንድ መደበኛ የድር ቅጽ አርትዕ ለማድረግ በገንቢ ሁነታ ላይ መሆን አለብዎት apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +53,"For comparative filters, start with",ንጽጽራዊ ማጣሪያዎች ጋር መጀመር @@ -2807,12 +2819,13 @@ DocType: Web Page,Header and Description,ራስጌ እና መግለጫ apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,ያስፈልጋል ሁለቱም መግቢያ እና የይለፍ ቃል apps/frappe/frappe/model/document.py +540,Please refresh to get the latest document.,የቅርብ ጊዜ ሰነዱን ለማግኘት እባክዎ ያድሱ. DocType: User,Security Settings,የደህንነት ቅንብሮች -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +855,Add Column,አምድ ያክሉ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +856,Add Column,አምድ ያክሉ ,Desktop,ዴስክቶፕ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +727,Export Report: {0},የውጭ ንግድ ሪፖርት: {0} DocType: Auto Email Report,Filter Meta,Meta አጣራ DocType: Web Form,Text to be displayed for Link to Web Page if this form has a web page. Link route will be automatically generated based on `page_name` and `parent_website_route`,ይህን ቅጽ አንድ ድረ-ገጽ ካለው ጽሑፍ ድረ ገጽ አገናኝ ለ እንዲታዩ. አገናኝ መንገድ በራስ-ሰር page_name` እና `parent_website_route`` ላይ ተመስርተው የመነጩ ይሆናል DocType: Feedback Request,Feedback Trigger,ግብረ ቀስቅስ -apps/frappe/frappe/public/js/frappe/form/control.js +1594,Please set {0} first,በመጀመሪያ {0} ማዘጋጀት እባክዎ +apps/frappe/frappe/public/js/frappe/form/control.js +1595,Please set {0} first,በመጀመሪያ {0} ማዘጋጀት እባክዎ DocType: Unhandled Email,Message-id,መልዕክት-መታወቂያ DocType: Patch Log,Patch,መጣፈያ DocType: Async Task,Failed,አልተሳካም diff --git a/frappe/translations/ar.csv b/frappe/translations/ar.csv index eae205f045..98dedf9d5a 100644 --- a/frappe/translations/ar.csv +++ b/frappe/translations/ar.csv @@ -1,5 +1,5 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,الرجاء تحديد حقل المبلغ. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,اضغط على ESC لإغلاق +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,اضغط على ESC لإغلاق apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}",مهمة جديدة، {0}، أسندت إليك بواسطة {1}. {2} DocType: Email Queue,Email Queue records.,سجلات البريد الإلكتروني قائمة الانتظار. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,بعد @@ -48,7 +48,7 @@ apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}",{0}، الصف {1} apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,يرجى إعطاء FULLNAME. apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,خطأ في تحميل الملفات. apps/frappe/frappe/model/document.py +908,Beginning with,بدء ب -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,قالب ادخال البيانات +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,قالب ادخال البيانات apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,أصل DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.",إذا تم تمكينه، سيتم فرض قوة كلمة المرور استنادا إلى قيمة الحد الأدنى لقيمة كلمة المرور. قيمة 2 كونها متوسطة قوية و 4 قوية جدا. DocType: About Us Settings,"""Team Members"" or ""Management""","""أعضاء الفريق"" أو ""الإدارة""" @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,اخت DocType: Auto Email Report,Monthly,شهريا DocType: Email Account,Enable Incoming,تمكين الوارد apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,خطر -apps/frappe/frappe/www/login.html +19,Email Address,عنوان البريد الإلكتروني +apps/frappe/frappe/www/login.html +22,Email Address,عنوان البريد الإلكتروني DocType: Workflow State,th-large,TH-الكبيرة DocType: Communication,Unread Notification Sent,إعلام مقروء المرسلة apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,الصادرات غير مسموح به. تحتاج {0} دور للتصدير. DocType: DocType,Is Published Field,ونشرت الميدان DocType: Email Group,Email Group,البريد الإلكتروني المجموعة DocType: Note,Seen By,تمت رؤيته بواسطة -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,لا تعجبني -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,تعيين التسمية عرض للحقل +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,لا تعجبني +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,تعيين التسمية عرض للحقل apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},قيمة غير صحيحة: {0} يجب أن يكون {1} {2} apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)",تغيير خصائص الحقل (إخفاء ، للقراءة فقط ، إذن الخ ) apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,تحديد فرابي خادم URL في الدخول الاجتماعي مفاتيح @@ -76,8 +76,8 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,إعدا apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,تسجيل دخول مسؤول النظام DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.",خيارات الاتصال، مثل "الاستعلام المبيعات والدعم الاستعلام" الخ كل على سطر جديد أو مفصولة بفواصل. apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. تحميل -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,إدراج -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},حدد {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,إدراج +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},حدد {0} DocType: Print Settings,Classic,كلاسيكي DocType: Desktop Icon,Color,اللون apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,للنطاقات @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,LDAP بحث سلسلة DocType: Translation,Translation,ترجمة apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,تثبيت DocType: Custom Script,Client,عميل -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,تم تعديل هذا النموذج بعد أن كنت قد تحميلها +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,تم تعديل هذا النموذج بعد أن كنت قد تحميلها DocType: User Permission for Page and Report,User Permission for Page and Report,إذن المستخدم لصفحة وتقرير DocType: System Settings,"If not set, the currency precision will depend on number format",إذا لم يتم تعيينها، فإن دقة العملة تعتمد على تنسيق الأرقام -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',البحث عن ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,تضمين عرض الشرائح صورة في صفحات الموقع. -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,إرسال +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,إرسال DocType: Workflow Action,Workflow Action Name,سير العمل اسم العمل apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,لا يمكن دمج DOCTYPE DocType: Web Form Field,Fieldtype,نوع الحقل apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,ليس ملف مضغوط +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} سنوات ماضيه apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}",الحقول الإلزامية المطلوبة في الجدول {0} صف {1} -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,القيمة لا يساعد كثيرا جدا. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,القيمة لا يساعد كثيرا جدا. DocType: Error Snapshot,Friendly Title,عنوان دية DocType: Newsletter,Email Sent?,ارسال البريد الالكترونى ؟ DocType: Authentication Log,Authentication Log,مصادقة تسجيل الدخول @@ -138,7 +138,7 @@ DocType: OAuth Bearer Token,Refresh Token,تحديث رمز apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,أنت DocType: Website Theme,lowercase,أحرف صغيرة DocType: Print Format,Helvetica,هلفتيكا -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,وقد تم بالفعل أرسلت الرسالة الإخبارية +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,وقد تم بالفعل أرسلت الرسالة الإخبارية DocType: Unhandled Email,Reason,سبب apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,يرجى تحديد المستخدم DocType: Email Unsubscribe,Email Unsubscribe,البريد الإلكتروني إلغاء الاشتراك @@ -147,30 +147,30 @@ apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multip apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,المستخدم الأول سوف تصبح مدير النظام (يمكنك تغيير هذا لاحقا). ,App Installer,التطبيق المثبت DocType: Workflow State,circle-arrow-up,دائرة السهم إلى أعلى -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,تحميل ... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,تحميل ... DocType: Email Domain,Email Domain,المجال البريد الإلكتروني DocType: Workflow State,italic,مائل apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,للجميع apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,{0} : لا يمكن تحديد استيراد دون إنشاء apps/frappe/frappe/config/desk.py +26,Event and other calendars.,الحدث والتقويمات الأخرى. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,اسحب لفرز الأعمدة +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,اسحب لفرز الأعمدة apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,الاعراض يمكن تعيين في مقصف أو٪. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,بداية +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,بداية DocType: User,First Name,الاسم الأول DocType: LDAP Settings,LDAP Username Field,LDAP اسم المستخدم الميدان DocType: Portal Settings,Standard Sidebar Menu,القائمة الشريط الجانبي القياسية apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,لا يمكن حذف مجلدات القائمة الرئيسية والمرفقات apps/frappe/frappe/config/desk.py +19,Files,الملفات apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,الحصول على تطبيق الأذونات على المستخدمين على أساس ما الأدوار التي تم تعيينها . -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,لا يسمح لك بإرسال رسائل البريد الإلكتروني ذات الصلة بهذه الوثيقة +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,لا يسمح لك بإرسال رسائل البريد الإلكتروني ذات الصلة بهذه الوثيقة apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,الرجاء تحديد أتلست العمود 1 من {0} لفرز / مجموعة DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,حدد هذا الخيار إذا كنت اختبار الدفع الخاص بك باستخدام API رمل apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,لا يسمح لك بحذف موضوع الموقع القياسي DocType: Feedback Trigger,Example,مثال DocType: Workflow State,gift,هدية -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Reqd +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Reqd apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},غير قادر على العثور مرفق {0} -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,تعيين مستوى إذن إلى الميدان. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,تعيين مستوى إذن إلى الميدان. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,لا يمكن إزالة apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,المورد الذي تبحث عنه غير متاح apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,إظهار / إخفاء وحدات @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,عرض DocType: Email Group,Total Subscribers,إجمالي عدد المشتركين apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.",إذا لم يكن لديك الوصول دور في المستوى 0، ثم مستويات أعلى لا معنى لها. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,حفظ باسم +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,حفظ باسم DocType: Communication,Seen,رأيت -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,إظهار مزيد من التفاصيل +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,إظهار مزيد من التفاصيل DocType: System Settings,Run scheduled jobs only if checked,تشغيل المهام المجدولة الا إذا دققت apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,سيتم عرض فقط إذا تم تمكين عناوين المقطع apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,أرشيف @@ -204,7 +204,7 @@ DocType: Communication,Rating,تقييم DocType: Customize Form Field,"Print Width of the field, if the field is a column in a table",طباعة العرض في هذا المجال، إذا كان الحقل هو عمود في الجدول DocType: Dropbox Settings,Dropbox Access Key,دروببوإكس مفتاح الوصول DocType: Workflow State,headphones,سماعة الرأس -apps/frappe/frappe/email/doctype/email_account/email_account.py +74,Password is required or select Awaiting Password,مطلوب كلمة المرور أو حدد انتظار كلمة المرور +apps/frappe/frappe/email/doctype/email_account/email_account.py +74,Password is required or select Awaiting Password,مطلوب كلمة السر أو اختر بانتظار كلمة السر DocType: Email Account,e.g. replies@yourcomany.com. All replies will come to this inbox.,على سبيل المثال replies@yourcomany.com. سيأتي كل الردود على هذا البريد الوارد. apps/frappe/frappe/public/js/frappe/ui/charts.js +11,Show Chart,مشاهدة الرسم البياني apps/frappe/frappe/templates/includes/login/login.js +36,Valid email and name required,مطلوب بريد إلكتروني صالح واسم صالح @@ -240,7 +240,7 @@ apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,لا DocType: Web Form,Button Help,تعليمات زر DocType: Kanban Board Column,purple,أرجواني DocType: About Us Settings,Team Members,أعضاء الفريق -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,يرجى إرفاق ملف أو تعيين URL +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,يرجى إرفاق ملف أو تعيين URL DocType: Async Task,System Manager,مدير النظام DocType: Custom DocPerm,Permissions,أذونات DocType: Dropbox Settings,Allow Dropbox Access,السماح بDropbox access @@ -263,7 +263,7 @@ apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,رفع ال DocType: Block Module,Block Module,كتلة الوحدة apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,قالب التصدير apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,قيمة جديدة -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,لا توجد صلاحية ل تعديل +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,لا توجد صلاحية ل تعديل apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,إضافة عمود apps/frappe/frappe/www/contact.html +30,Your email address,عنوان البريد الإلكتروني الخاص بك DocType: Desktop Icon,Module,إضافة @@ -273,11 +273,11 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,هو الجدول DocType: Email Account,Total number of emails to sync in initial sync process ,إجمالي عدد رسائل البريد الإلكتروني لمزامنة في عملية المزامنة الأولية DocType: Website Settings,Set Banner from Image,تعيين راية من الصورة -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,البحث العالمي +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,البحث العالمي DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},تم إنشاء حساب جديد لك في {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,تعليمات عبر البريد الإلكتروني -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),أدخل البريد الإلكتروني المستلم +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),أدخل البريد الإلكتروني المستلم DocType: Print Format,Verdana,فيردانا DocType: Email Flag Queue,Email Flag Queue,البريد الإلكتروني العلم قائمة الانتظار apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,لا يمكن تحديد مفتوحة {0}. جرب شيئا آخر. @@ -291,13 +291,13 @@ DocType: Communication,Message ID,معرف الرسالة DocType: Property Setter,Field Name,اسم الحقل apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,لا نتيجة apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,أو -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,اسم الوحدة برمجية ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,اسم الوحدة برمجية ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,استمر DocType: Custom Field,Fieldname,اسم الحقل DocType: Workflow State,certificate,شهادة DocType: User,Tile,قرميدة apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,التحقق من ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,يجب أن يكون عمود البيانات الأولى فارغة. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,يجب أن يكون عمود البيانات الأولى فارغة. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,عرض كل الإصدارات DocType: Workflow State,Print,طباعة DocType: User,Restrict IP,تقييد IP @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,رئيس مدير المبيعات apps/frappe/frappe/www/complete_signup.html +13,One Last Step,واحد الخطوة الأخيرة apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,اسم نوع الوثيقة (DOCTYPE) تريد هذا الحقل لتكون مرتبطة. على سبيل المثال العملاء DocType: User,Roles Assigned,الأدوار المسندة -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,بحث تعليمات +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,بحث تعليمات DocType: Top Bar Item,Parent Label,الملصق الاصل apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.",وقد وردت الاستعلام الخاص بك. سوف نقوم بالرد مرة أخرى قريبا. إذا كان لديك أي معلومات إضافية، يرجى الرد على هذا البريد. apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,يتم تحويل أذونات تلقائيا إلى التقارير الموحدة و البحث . @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,تحرير العنوان DocType: File,File URL,ملف URL DocType: Version,Table HTML,جدول HTML -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,إضافة المشتركين +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,إضافة المشتركين apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,الأحداث القادمة لهذا اليوم DocType: Email Alert Recipient,Email By Document Field,البريد الإلكتروني بواسطة حقل الوثيقة apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,ترقية apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},لا يمكن الاتصال: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,كلمة في حد ذاتها هي سهلة التخمين. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,كلمة في حد ذاتها هي سهلة التخمين. apps/frappe/frappe/www/search.html +11,Search...,بحث... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,دمج الممكن الوحيد بين المجموعة إلى المجموعة أو عقدة ورقة إلى ورقة عقدة apps/frappe/frappe/utils/file_manager.py +43,Added {0},تم اضافة {0} apps/frappe/frappe/www/search.html +28,No matching records. Search something new,أية سجلات مطابقة. بحث شيئا جديدا DocType: Currency,Fraction Units,جزء الوحدات -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} من {1} إلى {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} من {1} إلى {2} DocType: Communication,Type,النوع +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,الرجاء الإعداد الافتراضي حساب البريد الإلكتروني من الإعداد> البريد الإلكتروني> حساب البريد الإلكتروني DocType: Authentication Log,Subject,موضوع DocType: Web Form,Amount Based On Field,المبلغ بناء على الميدان apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,المستخدم إلزامي للمشاركة @@ -349,10 +350,10 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0} يجب apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.",.استخدم كلمات قليلة، وتجنب العبارات الشائعة DocType: Workflow State,plane,طائرة apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,عفوا. وقد فشل الدفع الخاص بك. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","إذا كنت تحميل سجلات جديدة، ""تسمية السلسلة"" تصبح إلزامية، إذا كان موجودا." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","إذا كنت تحميل سجلات جديدة، ""تسمية السلسلة"" تصبح إلزامية، إذا كان موجودا." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,الحصول على تنبيهات لهذا اليوم apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,DOCTYPE لا يمكن تسميتها من قبل المسؤول -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},القيمة المتغيرة لل{0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},القيمة المتغيرة لل{0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,يرجى التحقق من بريدك الالكتروني للتحقق apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,أضعاف لا يمكن أن يكون في نهاية النموذج @@ -364,8 +365,9 @@ DocType: Auto Email Report,No of Rows (Max 500),عدد الصفوف (ماكس 50 DocType: Language,Language Code,كود اللغة apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...",ويجري بناء التنزيل، وهذا قد يستغرق بضع لحظات ... apps/frappe/frappe/www/feedback.html +23,Your rating: ,تقييمك: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} و {1} +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} و {1} DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents","دائما إضافة ""كلمة مسودة"" عند طباعة المسودات" +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,تم وضع علامة على البريد الإلكتروني كغير مرغوب فيه DocType: About Us Settings,Website Manager,مدير الموقع apps/frappe/frappe/model/document.py +1048,Document Queued,قائمة الانتظار وثيقة DocType: Desktop Icon,List,قائمة @@ -377,7 +379,7 @@ DocType: Print Settings,Send document web view link in email,إرسال ثيقة apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,{0} يتم حفظ ملاحظات للحصول على وثيقة بنجاح apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,سابق apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,رد: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} الصفوف {1} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} صفوف لـ {1} DocType: Currency,"Sub-currency. For e.g. ""Cent""",شبه العملات. ل "سنت" على سبيل المثال apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,حدد ملف مرفوع DocType: Letter Head,Check this to make this the default letter head in all prints,التحقق من ذلك لجعل هذه الرسالة الافتراضية الرأس في جميع الطبعات @@ -387,12 +389,11 @@ DocType: Desktop Icon,Link,رابط apps/frappe/frappe/utils/file_manager.py +96,No file attached,أي ملف مرفق DocType: Version,Version,الإصدار DocType: User,Fill Screen,ملء الشاشة -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.",غير قادر على عرض هذا التقرير المشجر، وذلك بسبب البيانات المفقودة. على الأرجح، يتم تصفيتها بسبب الأذونات. -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. حدد ملف -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,تحرير عبر التحميل -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer",نوع الوثيقة ...، على سبيل المثال العملاء +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.",غير قادر على عرض هذا التقرير المشجر، وذلك بسبب البيانات المفقودة. على الأرجح، يتم تصفيتها بسبب الأذونات. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. حدد ملف +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,تحرير عبر التحميل +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer",نوع الوثيقة ...، على سبيل المثال العملاء apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,الشرط '{0}' غير صالح -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,الإعداد> مدير أذونات المستخدم DocType: Workflow State,barcode,الباركود apps/frappe/frappe/config/setup.py +226,Add your own translations,أضف الترجمة الخاصة بك DocType: Country,Country Name,اسم الدولة @@ -411,9 +412,11 @@ DocType: Workflow State,exclamation-sign,تعجب علامة- apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,مشاهدة ضوابط apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,يجب أن يكون حقل الزمني رابط أو الارتباط الحيوي apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,الرجاء تثبيت قطاف بيثون وحدة +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,نطاق الموعد apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,جانت apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},الصفحة {0} من {1} -DocType: About Us Settings,Introduce your company to the website visitor.,عرف الشركة لزائر الموقع. +DocType: About Us Settings,Introduce your company to the website visitor.,اعرض شركتك لزائرن الموقع الألكتروني +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json",مفتاح التشفير غير صالح، يرجى التحقق من site_config.json apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,إلى DocType: Kanban Board Column,darkgrey,الرمادي الداكن apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},ناجح: {0} إلى {1} @@ -442,13 +445,13 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,أكثر DocType: Contact,Sales Manager,مدير المبيعات apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,إعادة تسمية DocType: Print Format,Format Data,تنسيق البيانات -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,مثل +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,مثل DocType: Customize Form Field,Customize Form Field,تخصيص حقل نموذج apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,تسمح للمستخدم DocType: OAuth Client,Grant Type,منحة نوع apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,تحقق من وثائق قابلة للقراءة من قبل العضو apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,استخدام٪ كما البدل -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?",المجال البريد الإلكتروني يقم لهذا الحساب، وخلق واحد؟ +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?","عنوان مجال البريد الألكتروني غير معرف لهذا الحساب, إنشيء واحد ؟" DocType: User,Reset Password Key,إعادة تعيين كلمة المرور الرئيسية DocType: Email Account,Enable Auto Reply,تمكين الرد التلقائي apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,لا أرى @@ -463,13 +466,13 @@ DocType: DocType,Fields,الحقول DocType: System Settings,Your organization name and address for the email footer.,اسم المؤسسة وعنوانك لتذييل البريد الإلكتروني. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,الجدول الرئيسي apps/frappe/frappe/config/desktop.py +60,Developer,مطور -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,إنشاء +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,إنشاء apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} في الصف {1} لا يمكن أن يكون لها عنوان URL وبنود فرعية في نفس الوقت apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,الجذر {0} لا يمكن حذف apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,لا توجد تعليقات حتى الآن apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,كلا DOCTYPE واسم المطلوبة apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,لا يمكن تغيير docstatus من 1 إلى 0 -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,أخذ النسخ الاحتياطي الآن +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,أخذ النسخ الاحتياطي الآن apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,ترحيب apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,التطبيقات المثبتة DocType: Communication,Open,فتح @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,من الاسم الكامل apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},لم يكن لديك الوصول إلى تقرير: {0} DocType: User,Send Welcome Email,إرسال رسالة ترحيبية apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,تحميل ملف CSV يحتوي على جميع أذونات المستخدم في نفس الشكل كما تحميل. -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,إزالة تصفية (فلترة) +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,إزالة تصفية (فلترة) DocType: Address,Personal,الشخصية apps/frappe/frappe/config/setup.py +113,Bulk Rename,إعادة تسمية بالجمله DocType: Email Queue,Show as cc,كما تظهر سم مكعب DocType: DocField,Heading,عنوان DocType: Workflow State,resize-vertical,تغيير حجم عمودية -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. ارفع +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. ارفع DocType: Contact Us Settings,Introductory information for the Contact Us Page,المعلومات التمهيدية لصفحة اتصل بنا DocType: Web Page,CSS,CSS DocType: Workflow State,thumbs-down,علامة إستهجان @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,في البحث العالمية DocType: Workflow State,indent-left,المسافة البادئة اليسرى apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,أنه أمر محفوف بالمخاطر لحذف هذا الملف: {0}. يرجى الاتصال بمدير النظام الخاص بك. DocType: Currency,Currency Name,اسم العملة -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,لا رسائل البريد الإلكتروني +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,لا رسائل البريد الإلكتروني DocType: Report,Javascript,جافا سكريبت DocType: File,Content Hash,تجزئة المحتوى DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,يخزن JSON من الإصدارات المعروفة الأخيرة من مختلف التطبيقات المثبتة. يتم استخدامها لعرض ملاحظات الإصدار. @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',العضو '{0}' بالفعل دور '{1}' apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,رفع ومزامنة apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},مشترك مع {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,إلغاء الاشتراك +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,إلغاء الاشتراك DocType: Communication,Reference Name,اسم المرجع apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,دعم الدردشة DocType: Error Snapshot,Exception,استثناء @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,مدير النشرة الإخبارية apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,الخيار 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,جميع المشاركات apps/frappe/frappe/config/setup.py +89,Log of error during requests.,تسجيل الخطأ خلال الطلبات. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} تم بنجاح الإضافة إلى مجموعة البريد الإلكتروني. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,جعل الملف (الملفات) الخاص أو العام؟ -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},من المقرر أن يرسل إلى {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} تم بنجاح الإضافة إلى مجموعة البريد الإلكتروني. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,جعل الملف (الملفات) الخاص أو العام؟ +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},من المقرر أن يرسل إلى {0} DocType: Kanban Board Column,Indicator,مؤشر DocType: DocShare,Everyone,كل شخص DocType: Workflow State,backward,الى الوراء @@ -583,11 +586,11 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,آخر ت apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,غير مسموح به. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,رأي المشتركين DocType: Website Theme,Background Color,لون الخلفية -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,كانت هناك أخطاء أثناء إرسال البريد الإلكتروني. يرجى المحاولة مرة أخرى. +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,كانت هناك أخطاء أثناء إرسال البريد الإلكتروني. يرجى المحاولة مرة أخرى. DocType: Portal Settings,Portal Settings,إعدادات بوابة DocType: Web Page,0 is highest,0 أعلى قيمة apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,هل أنت متأكد أنك تريد إعادة ربط هذه الاتصالات إلى {0}؟ -apps/frappe/frappe/www/login.html +99,Send Password,إرسال كلمة المرور +apps/frappe/frappe/www/login.html +104,Send Password,إرسال كلمة المرور apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,المرفقات apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,لم يكن لديك أذونات للوصول إلى هذه الوثيقة DocType: Language,Language Name,اسم اللغة @@ -595,28 +598,29 @@ DocType: Email Group Member,Email Group Member,أرسل عضو المجموعة DocType: Email Alert,Value Changed,قيمة تغيير apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},تكرار اسم {0} {1} DocType: Web Form Field,Web Form Field,حقل نموذج الويب -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,إخفاء الحقل في منشئ التقارير +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,إخفاء الحقل في منشئ التقارير apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,تحرير HTML -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,استعادة ضوابط الأصل +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,استعادة ضوابط الأصل DocType: Address,Shop,تسوق DocType: DocField,Button,زر +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,{0} شكل الطباعه المعتاده الأن لـ {1} نوع المستند apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,أعمدة من الأرشيف DocType: Email Account,Default Outgoing,النفقات الافتراضية DocType: Workflow State,play,لعب apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,انقر على الرابط أدناه لإكمال التسجيل وتعيين كلمة مرور جديدة -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,لم تضف +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,لم تضف apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,لا حسابات البريد الإلكتروني المخصصة DocType: Contact Us Settings,Contact Us Settings,إعدادات الاتصال بنا -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,جار البحث ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,جار البحث ... DocType: Workflow State,text-width,عرض النص apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,بلغ الحد الأقصى مرفق لهذا السجل. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,يجب أن يتم تعبئة الحقول الإلزامية التالية:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,يجب أن يتم تعبئة الحقول الإلزامية التالية:
    DocType: Email Alert,View Properties (via Customize Form),عرض خصائص (عن طريق نموذج تخصيص) DocType: Note Seen By,Note Seen By,ملاحظة يراها apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,محاولة استخدام نمط لوحة المفاتيح أطول مع المزيد من المنعطفات DocType: Feedback Trigger,Check Communication,تحقق الاتصالات apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,تدار تقارير منشئ التقرير مباشرة بواسطة منشئ التقرير. لا شيء للقيام به. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,يرجى التحقق من عنوان البريد الإلكتروني الخاص بك +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,يرجى التحقق من عنوان البريد الإلكتروني الخاص بك apps/frappe/frappe/model/document.py +907,none of,أيا من apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,أرسل لي نسخة apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,تحميل ضوابط العضو @@ -624,7 +628,7 @@ DocType: Dropbox Settings,App Secret Key,التطبيق سر مفتاح apps/frappe/frappe/config/website.py +7,Web Site,موقع الكتروني apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,سيتم عرض العناصر المحددة على سطح المكتب apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} لا يمكن تحديده لأنواع أحادية -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,كانبان مجلس {0} غير موجود. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,كانبان مجلس {0} غير موجود. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} يستعرض هذه الوثيقة حالياً DocType: ToDo,Assigned By Full Name,تعيين بواسطة الاسم الكامل apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0} تم تحديث @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,قبل DocType: Email Account,Awaiting Password,في انتظار كلمة المرور DocType: Address,Address Line 1,العنوان سطر 1 DocType: Custom DocPerm,Role,دور -apps/frappe/frappe/utils/data.py +429,Cent,سنت -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,يؤلف البريد الإلكتروني +apps/frappe/frappe/utils/data.py +430,Cent,سنت +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,يؤلف البريد الإلكتروني apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).",الدول عن سير العمل (على سبيل المثال مشروع ، وافق ، ألغي ) . DocType: Print Settings,Allow Print for Draft,السماح بالطباعة للمسودة -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,ضبط الكمية +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,ضبط الكمية apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,إرسال هذه الوثيقة إلى تأكيد DocType: User,Unsubscribed,إلغاء اشتراكك apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,تعيين أدوار مخصصة لصفحة وتقرير apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,تقييم: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,لا يمكن العثور على UIDVALIDITY ردا وضع IMAP +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,لا يمكن العثور على UIDVALIDITY ردا وضع IMAP ,Data Import Tool,أداة استيراد البيانات -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,تحميل الملفات يرجى الانتظار لبضع ثوان. +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,تحميل الملفات يرجى الانتظار لبضع ثوان. apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,إرفاق صورتك apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,قيم صف تغييرها DocType: Workflow State,Stop,توقف @@ -668,7 +672,7 @@ DocType: Newsletter,Send Unsubscribe Link,إرسال إلغاء ارتباط DocType: Email Alert,Method,طريقة DocType: Report,Script Report,تقرير النصي DocType: OAuth Authorization Code,Scopes,نطاقات -DocType: About Us Settings,Company Introduction,تعريف الشركة +DocType: About Us Settings,Company Introduction,مقدمة الشركة DocType: DocField,Length,طول DocType: Feedback Trigger,"To add dynamic subject, use jinja tags like @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,البحث الحقول DocType: OAuth Bearer Token,OAuth Bearer Token,أوث حاملها رمز apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,لا المستند المحدد DocType: Event,Event,حدث -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:",على {0}، {1} كتب: +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:",على {0}، {1} كتب: apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,لا يمكنك حذف الحقول القياسية. يمكنك إخفاءها فقط إذا كنت تريد DocType: Top Bar Item,For top bar,الشريط العلوي لل apps/frappe/frappe/utils/bot.py +148,Could not identify {0},لا يمكن تحديد {0} @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,الملكية واضعة apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,حدد العضو أو DOCTYPE للبدء. DocType: Web Form,Allow Print,السماح للطباعة apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,لا التطبيقات المثبتة -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,بمناسبة حقل إلزامي كما +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,بمناسبة حقل إلزامي كما DocType: Communication,Clicked,النقر apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},لا توجد صلاحية ل '{0} ' {1} DocType: User,Google User ID,جوجل هوية المستخدم @@ -727,7 +731,7 @@ DocType: Event,orange,البرتقالي apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,لا {0} وجدت apps/frappe/frappe/config/setup.py +236,Add custom forms.,إضافة نماذج مخصصة. apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} في {2} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,قدمت هذه الوثيقة +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,قدمت هذه الوثيقة apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,ويوفر النظام العديد من أدوار محددة مسبقا. يمكنك إضافة أدوار جديدة لتعيين أذونات الدقيقة. DocType: Communication,CC,CC DocType: Address,Geo,الجغرافية @@ -739,7 +743,8 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Sele apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,نشط apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,إدراج بالأسفل DocType: Event,Blue,أزرق -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,سيتم إزالة كافة التخصيصات. يرجى التأكيد. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,سيتم إزالة كافة التخصيصات. يرجى التأكيد. +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,عنوان البريد الإلكتروني أو رقم الهاتف المحمول DocType: Page,Page HTML,صفحة HTML apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,تصاعدي حسب الترتيب الأبجدي apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,العقد الإضافية التي يمكن أن تنشأ إلا في ظل العقد نوع ' المجموعة ' @@ -766,7 +771,7 @@ DocType: User,Represents a User in the system.,يمثل العضو في النظ DocType: Communication,Label,ملصق apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.",مهمة {0}، الذي قمت بتعيينه إلى {1}، تم إغلاق. DocType: User,Modules Access,وحدات الوصول -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,الرجاء إغلاق هذه النافذة +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,الرجاء إغلاق هذه النافذة DocType: Print Format,Print Format Type,طباعة نوع تنسيق DocType: Newsletter,A Lead with this Email Address should exist,يجب أن يوجد الرصاص مع هذا عنوان البريد الإلكتروني apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,التطبيقات المفتوحة المصدر لشبكة الإنترنت @@ -776,18 +781,18 @@ DocType: Role Permission for Page and Report,Allow Roles,السماح الأدو DocType: DocType,Hide Toolbar,إخفاء شريط الأدوات DocType: User,Last Active,آخر تواجد في DocType: Email Account,SMTP Settings for outgoing emails,إعدادات SMTP لرسائل البريد الإلكتروني الصادرة -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,فشل الاستيراد +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,فشل الاستيراد apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,تم تحديث كلمة السر الخاصة بك. هنا هو كلمة السر الجديدة DocType: Email Account,Auto Reply Message,رد تلقائي على الرسائل DocType: Feedback Trigger,Condition,الحالة -apps/frappe/frappe/utils/data.py +521,{0} hours ago,{0} قبل ساعات -apps/frappe/frappe/utils/data.py +531,1 month ago,قبل شهر +apps/frappe/frappe/utils/data.py +522,{0} hours ago,{0} قبل ساعات +apps/frappe/frappe/utils/data.py +532,1 month ago,قبل شهر DocType: Contact,User ID,معرف المستخدم DocType: Communication,Sent,أرسلت DocType: File,Lft,LFT DocType: User,Simultaneous Sessions,جلسات متزامنة DocType: OAuth Client,Client Credentials,وثائق تفويض العميل -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,فتح وحدة نمطية أو أداة +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,فتح وحدة نمطية أو أداة DocType: Communication,Delivery Status,حالة التسليم DocType: Module Def,App Name,اسم التطبيق apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,الحد الأقصى لحجم الملف المسموح به هو {0} MB @@ -808,11 +813,11 @@ DocType: Address,Address Type,نوع العنوان apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,اسم المستخدم غير صحيح أو كلمة المرور الدعم . يرجى تصحيح و حاول مرة أخرى. DocType: Email Account,Yahoo Mail,بريد ياهو apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,اشتراكك سوف ينتهي غدا. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,حفظ! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,حفظ! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},تحديث {0}: {1} DocType: DocType,User Cannot Create,لا يمكن للمستخدم إنشاء apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,المجلد {0} غير موجود -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,تمت الموافقة الوصول دروببوإكس! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,تمت الموافقة الوصول دروببوإكس! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.",كما سيتم تعيين هذه كقيم الافتراضي ل هذه الروابط ، إذا تم تعريف سجل إذن واحد فقط من هذا القبيل. DocType: Customize Form,Enter Form Type,أدخل نوع النموذج apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,لا توجد سجلات معلمة. @@ -820,17 +825,16 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +4 DocType: User,Send Password Update Notification,ارسل إشعارات تحديث كلمة السر apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!",السماح DOCTYPE ، DOCTYPE . كن حذرا! apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email",تنسيقات مخصصة للطباعة البريد الإلكتروني -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,تحديث إلى الإصدار الجديد +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,تحديث إلى الإصدار الجديد DocType: Custom Field,Depends On,يعتمد على DocType: Event,Green,أخضر DocType: Custom DocPerm,Additional Permissions,ضوابط إضافية -DocType: Email Account,Always use Account's Email Address as Sender,دائما استخدام عنوان البريد الإلكتروني الحساب كما المرسل +DocType: Email Account,Always use Account's Email Address as Sender,دائما تستخدم حساب البريد الألكتروني كمرسل apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,سجل الدخول للتعليق apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,البدء في إدخال البيانات تحت هذا الخط -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},القيم المتغيرة ل{0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},القيم المتغيرة ل{0} DocType: Workflow State,retweet,retweet -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,تحديث القالب وحفظ في CSV (الفاصلة قيم منفصلة) شكل قبل إرفاق. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,تحديد قيمة الحقل +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,تحديد قيمة الحقل DocType: Report,Disabled,معطل DocType: Workflow State,eye-close,إغلاق العين DocType: OAuth Provider Settings,OAuth Provider Settings,إعدادات مزود أوث @@ -840,13 +844,13 @@ apps/frappe/frappe/public/js/frappe/form/save.js +79,Name is required,الاسم DocType: Custom Script,Adds a custom script (client or server) to a DocType,اضافة سيناريو مخصص (العميل أو الخادم) إلى DOCTYPE DocType: Address,City/Town,المدينة / البلدة apps/frappe/frappe/email/doctype/email_alert/email_alert.py +69,Cannot set Email Alert on Document Type {0},لا يمكن تعيين تنبيه بالبريد الالكتروني على نوع الوثيقة {0} -DocType: Address,Is Your Company Address,هل لديك عنوان الشركة +DocType: Address,Is Your Company Address,يكون عنوان شركتك apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,تحرير صف DocType: Workflow Action,Workflow Action Master,سير العمل الاجراء الاساسي DocType: Custom Field,Field Type,نوع الحقل -apps/frappe/frappe/utils/data.py +446,only.,فقط. +apps/frappe/frappe/utils/data.py +447,only.,فقط. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,تجنب السنوات التي ترتبط معك. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,تنازلي +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,تنازلي apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,خادم البريد غير صالحة . يرجى تصحيح و حاول مرة أخرى. DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.",روابط المواقع، أدخل DOCTYPE عن مجموعة. لتحديد، قائمة إدخال من الخيارات، كل على سطر جديد. @@ -855,15 +859,14 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},لا إذن apps/frappe/frappe/config/desktop.py +8,Tools,أدوات apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,تجنب السنوات الأخيرة. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,العقد الجذرية متعددة غير مسموح به. -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,لم يتم إعداد حساب البريد الإلكتروني. يرجى إنشاء حساب بريد إلكتروني جديد من الإعداد> البريد الإلكتروني> حساب البريد الإلكتروني DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.",إذا تم تمكينه، فسيتم إشعار المستخدمين في كل مرة يسجلون فيها الدخول. إذا لم يتم تمكينه، فسيتم إشعار المستخدمين مرة واحدة فقط. DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.",إذا تم، سيكون للمستخدمين لا ترى الحوار تأكيد الوصول. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,مطلوب حقل معرف لتعديل القيم باستخدام التقرير. يرجى تحديد الحقل ID باستخدام لاقط العمود +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,مطلوب حقل معرف لتعديل القيم باستخدام التقرير. يرجى تحديد الحقل ID باستخدام لاقط العمود apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,تعليقات apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,أكد apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,انهيار جميع apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,تثبيت {0}؟ -apps/frappe/frappe/www/login.html +71,Forgot Password?,هل نسيت كلمة المرور؟ +apps/frappe/frappe/www/login.html +76,Forgot Password?,هل نسيت كلمة المرور؟ DocType: System Settings,yyyy-mm-dd,yyyy-mm-dd apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,هوية شخصية apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,خطأ في الخادم @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,Facebook User ID DocType: Workflow State,fast-forward,بسرعة الى الأمام DocType: Communication,Communication,اتصالات apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.",تحقق الأعمدة لتحديد، اسحب لضبط النظام. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,هذا أجراء دائم لا يمكن التراجع. المتابعة؟ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,هذا أجراء دائم لا يمكن التراجع. المتابعة؟ DocType: Event,Every Day,كل يوم DocType: LDAP Settings,Password for Base DN,كلمة السر لقاعدة DN apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,الميدان الجدول @@ -914,14 +917,14 @@ DocType: Workflow State,align-justify,محاذاة-تبرير DocType: User,Middle Name (Optional),الاسم الأوسط (اختياري) apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,لا يسمح apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,الحقول التالية والقيم المفقودة: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,لم يكن لديك أذونات كافية لإكمال العمل -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,لا يوجد نتائج +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,لم يكن لديك أذونات كافية لإكمال العمل +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,لا يوجد نتائج DocType: System Settings,Security,أمن -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,من المقرر أن يرسل إلى {0} المتلقين +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,من المقرر أن يرسل إلى {0} المتلقين apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},إعادة تسمية من {0} إلى {1} DocType: Currency,**Currency** Master,سجل **العملات** DocType: Email Account,No of emails remaining to be synced,عدد رسائل البريد الإلكتروني المتبقية ليكون مزامن -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,تحميل +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,تحميل apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,الرجاء حفظ المستند قبل التعيين DocType: Website Settings,Address and other legal information you may want to put in the footer.,العنوان وغيرها من المعلومات القانونية قد تحتاج لوضع في تذييل الصفحة. DocType: Website Sidebar Item,Website Sidebar Item,موقع الشريط الجانبي البند @@ -940,7 +943,7 @@ apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App { DocType: Communication,Feedback Request,ردود الفعل طلب apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,الحقول التالية مفقودة: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,ميزة تجريبية -apps/frappe/frappe/www/login.html +25,Sign in,تسجيل الدخول +apps/frappe/frappe/www/login.html +30,Sign in,تسجيل الدخول DocType: Web Page,Main Section,القسم العام DocType: Page,Icon,رمز apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,لتصفية القيم بين 5 و 10 @@ -950,7 +953,7 @@ DocType: System Settings,dd/mm/yyyy,اليوم / الشهر / السنة DocType: System Settings,Backups,النسخ الاحتياطية apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,إضافة جهة اتصال DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,اختياري: إرسال دوما إلى هذه المعرفات. كل عنوان البريد الإلكتروني على صف جديد -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,إخفاء التفاصيل +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,إخفاء التفاصيل DocType: Workflow State,Tasks,المهام DocType: Event,Tuesday,الثلاثاء DocType: Blog Settings,Blog Settings,إعدادات المدونه @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,بسبب تاريخ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,يوم الدفعة الربعية DocType: Social Login Keys,Google Client Secret,سر عميل جوجل DocType: Website Settings,Hide Footer Signup,إخفاء التذييل -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,إلغاء هذه الوثيقة +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,إلغاء هذه الوثيقة apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,كتابة ملف بيثون في نفس المجلد حيث تم حفظ هذا العمود والعودة والنتيجة. DocType: DocType,Sort Field,نوع الحقل DocType: Razorpay Settings,Razorpay Settings,إعدادات Razorpay -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,تحرير تصفية (فلترة) +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,تحرير تصفية (فلترة) apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,الحقل {0} من نوع {1} لا يمكن أن يكون إلزامي DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User",على سبيل المثال. إذا تطبيق ضوابط العضو محددا لتقرير DOCTYPE ولكن لم يتم تحديد أذونات المستخدم لتقرير للمستخدم، ثم يتم عرض جميع التقارير إلى أن العضو apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,إخفاء الرسم البياني DocType: System Settings,Session Expiry Mobile,جلسة انتهاء موبايل apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,نتائج البحث عن apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,اختار ل تحميل : -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,إذا {0} مسموح +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,إذا {0} مسموح DocType: Custom DocPerm,If user is the owner,إذا كان المستخدم هو المالك ,Activity,نشاط DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",مساعدة: لربط إلى سجل آخر في النظام، استخدم "# نموذج / ملاحظة / [اسم ملاحظة]"، كما URL رابط. (لا تستخدم "الإلكتروني http://") apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,دعونا تجنب الكلمات المكررة وشخصيات DocType: Communication,Delayed,مؤجل apps/frappe/frappe/config/setup.py +128,List of backups available for download,قائمة احتياطية متوفرة للتحميل -apps/frappe/frappe/www/login.html +84,Sign up,سجل +apps/frappe/frappe/www/login.html +89,Sign up,سجل DocType: Integration Request,Output,الناتج apps/frappe/frappe/config/setup.py +220,Add fields to forms.,إضافة حقول إلى النماذج. DocType: File,rgt,RGT @@ -995,7 +998,7 @@ DocType: User Email,Email ID,البريد الإلكتروني DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,قائمة الموارد التي سيكون لها التطبيق العميل الوصول إلى بعد قيام المستخدم يسمح بذلك.
    على سبيل المثال مشروع DocType: Translation,Translated Text,ترجمة النص DocType: Contact Us Settings,Query Options,خيارات الاستعلام -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,استيراد الناجحة ! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,استيراد الناجحة ! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,السجلات التحديث DocType: Error Snapshot,Timestamp,الطابع الزمني DocType: Patch Log,Patch Log,سجل التصحيح @@ -1009,14 +1012,14 @@ DocType: System Settings,Setup Complete,الإعداد كاملة apps/frappe/frappe/config/setup.py +66,Report of all document shares,تقرير عن سهم ثيقة apps/frappe/frappe/www/update-password.html +18,New Password,كلمة مرور جديدة apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,مرشح {0} مفقود -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,"عذراَ ! ,لا يمكنك حذف التعليقات الذي تم إنشاؤه تلقائيا" +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,"عذراَ ! ,لا يمكنك حذف التعليقات الذي تم إنشاؤه تلقائيا" DocType: Website Theme,Style using CSS,أسلوب باستخدام CSS apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,مرجع DOCTYPE DocType: User,System User,نظام المستخدم DocType: Report,Is Standard,هو معيار -DocType: Desktop Icon,_report,_أبلغ عن +DocType: Desktop Icon,_report,_تقرير DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field",لا علامات HTML شفر HTML مثل <script> أو مجرد شخصيات مثل <أو>، لأنها يمكن أن تستخدم عمدا في هذا المجال -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,تحديد قيمة افتراضية +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,تحديد قيمة افتراضية DocType: Website Settings,FavIcon,علامة المفضلة apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,على الأقل ردا واحدا إلزامي قبل طلب ردود الفعل DocType: Workflow State,minus-sign,علامة ناقص @@ -1027,7 +1030,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Cu DocType: Authentication Log,Login,دخول DocType: Web Form,Payments,المدفوعات DocType: System Settings,Enable Scheduled Jobs,تمكين المهام المجدولة -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,الملاحظات : +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,الملاحظات : apps/frappe/frappe/www/message.html +19,Status: {0},الحالة: {0} DocType: DocShare,Document Name,اسم المستند apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,علامة كدعاية @@ -1041,7 +1044,7 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,إظهار apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,من تاريخ apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,نجاح apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},ردود الفعل طلب {0} يتم إرسالها إلى {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,انتهت الجلسة +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,انتهت الجلسة DocType: Kanban Board Column,Kanban Board Column,عمود مجلس كانبان apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,صفوف متتالية من مفاتيح سهلة للتخمين DocType: Communication,Phone No.,رقم الهاتف @@ -1051,7 +1054,7 @@ DocType: Workflow State,picture,صور apps/frappe/frappe/www/complete_signup.html +22,Complete,كامل DocType: Customize Form,Image Field,صورة الميدان DocType: Print Format,Custom HTML Help,مخصصةHTML مساعدة -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,إضافة تقييد جديد +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,إضافة تقييد جديد apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,ترى على الموقع DocType: Workflow Transition,Next State,الحالية التالية DocType: User,Block Modules,كتلة وحدات @@ -1066,7 +1069,7 @@ DocType: Email Account,Default Incoming,الايرادات الافتراضية DocType: Workflow State,repeat,كرر DocType: Website Settings,Banner,راية DocType: Role,"If disabled, this role will be removed from all users.",إذا تعطيل، ستتم إزالة هذا الدور من كافة المستخدمين. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,دليل البحث +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,دليل البحث apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,سجل لكن المعوقين DocType: DocType,Hide Copy,إخفاء النسخة apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,مسح كافة الأدوار @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,حذف apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},{0} جديد apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,لم يتم العثور على القيود العضو. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,علبة الوارد الافتراضية -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,إنشاء جديد +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,إنشاء جديد DocType: Print Settings,PDF Page Size,PDF حجم الصفحة apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,ملاحظة: لا يتم تصفيتها المجالات ذات قيمة فارغة للمعايير المشار إليها أعلاه. DocType: Communication,Recipient Unsubscribed,المتلقي غير المشتركين DocType: Feedback Request,Is Sent,أرسل apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,حول -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.",لتحديث، يمكنك تحديث الأعمدة انتقائية فقط. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.",لتحديث، يمكنك تحديث الأعمدة انتقائية فقط. DocType: System Settings,Country,الدولة apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,عناوين DocType: Communication,Shared,مشتركة @@ -1108,8 +1111,8 @@ apps/frappe/frappe/core/doctype/user/user.py +112,Adding System Manager to this DocType: DocField,Attach Image,إرفاق صورة apps/frappe/frappe/core/page/usage_info/usage_info.html +67,Space usage,استخدام الفضاء DocType: Workflow State,list-alt,قائمة بديل -apps/frappe/frappe/www/update-password.html +79,Password Updated,تحديث كلمة السر -apps/frappe/frappe/utils/password.py +19,Password not found,كلمة المرور لم يتم العثور +apps/frappe/frappe/www/update-password.html +79,Password Updated,تم تعديل كلمة السر +apps/frappe/frappe/utils/password.py +19,Password not found,لم يتم العثور على كلمة السر apps/frappe/frappe/core/page/user_permissions/user_permissions.js +154,Permissions Updated,ضوابط محدثة DocType: Email Queue,Expose Recipients,كشف المستلمين apps/frappe/frappe/email/doctype/email_account/email_account.py +60,Append To is mandatory for incoming mails,إلحاق إلزامي لرسائل واردة @@ -1125,12 +1128,12 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",%s ليست صيغة صحيحة للتقرير. يجب أن تكون \ أحد الصيغ التالية %s DocType: Communication,Chat,الدردشة apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},Fieldname {0} تظهر عدة مرات في الصفوف {1} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} من {1} إلى {2} في الصف # {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} من {1} إلى {2} في الصف # {3} DocType: Communication,Expired,انتهى DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),عدد الأعمدة للحقل في الشبكة (يجب أن يكون مجموع الأعمدة في شبكة أقل من 11) DocType: DocType,System,نظام DocType: Web Form,Max Attachment Size (in MB),ماكس مرفق الحجم (MB) -apps/frappe/frappe/www/login.html +88,Have an account? Login,هل لديك حساب؟ تسجيل الدخول +apps/frappe/frappe/www/login.html +93,Have an account? Login,هل لديك حساب ؟ تسجيل الدخول apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},تنسيق الطباعة غير معروف: {0} DocType: Workflow State,arrow-down,سهم لأسفل apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,ضم @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,دور مخصص apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,الصفحة الرئيسية / مجلد اختبار 2 DocType: System Settings,Ignore User Permissions If Missing,تجاهل أذونات المستخدم إذا مفقود -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,الرجاء حفظ المستند قبل تحميلها. -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,ادخل رقمك السري +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,الرجاء حفظ المستند قبل تحميلها. +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,ادخل رقمك السري DocType: Dropbox Settings,Dropbox Access Secret,دروببوإكس الدخول السرية apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,إضافة تعليق آخر apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,تعديل DOCTYPE -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,إلغاء الاشتراك من النشرة الإخبارية +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,إلغاء الاشتراك من النشرة الإخبارية apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,الطي يجب أن يأتي قبل فاصل القسم apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,التعديل الأخير من قبل DocType: Workflow State,hand-down,إلى أسفل اليد @@ -1159,7 +1162,8 @@ DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,إعادة ا DocType: DocType,Is Submittable,هو Submittable apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,قيمة لحقل الاختيار يمكن أن يكون إما 0 أو 1 apps/frappe/frappe/model/document.py +634,Could not find {0},لا يمكن أن تجد {0} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,تسميات العمود: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,تحميل في تنسيق ملف إكسيل +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,تسميات العمود: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,تسمية السلسلة إلزامية DocType: Social Login Keys,Facebook Client ID,Facebook Client ID DocType: Workflow State,Inbox,صندوق الوارد @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,مجموعة DocType: Footer Item,"Select target = ""_blank"" to open in a new page.","حدد الهدف = "" _blank "" لفتح صفحة جديدة في ." apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,حذف بشكل دائم {0} ؟ apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,نفس الملف تم إرفاقه إلى هذا السجل -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,تجاهل أخطاء الترميز. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,تجاهل أخطاء الترميز. DocType: Auto Email Report,XLS,XLS DocType: Workflow State,wrench,وجع apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,غير محدد @@ -1195,24 +1199,25 @@ apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be e apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend",معنى تسجيل ، إلغاء وتعديل apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,قائمة المهام apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,سيتم حذف أي إذن الحالية / الكتابة. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),ثم (اختياري) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),ثم (اختياري) DocType: File,Preview HTML,معاينة HTML DocType: Desktop Icon,query-report,استعلام تقرير apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},تعيين إلى {0} {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,مرشحات حفظ DocType: DocField,Percent,في المئة -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,يرجى تعيين المرشحات +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,يرجى تعيين المرشحات apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,ترتبط DocType: Workflow State,book,كتاب DocType: Website Settings,Landing Page,الصفحة المقصودة apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,خطأ في سيناريو مخصص apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} الاسم -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.",استيراد طلب قائمة الانتظار. هذا قد يستغرق بضع لحظات، يرجى التحلي بالصبر. +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.",استيراد طلب قائمة الانتظار. هذا قد يستغرق بضع لحظات، يرجى التحلي بالصبر. apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,لم يحدد ضوابط لهذه المعايير. DocType: Auto Email Report,Auto Email Report,ارسال التقارير عبر البريد الالكتروني الياً apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,رسائل البريد الإلكتروني ماكس -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,حذف تعليق؟ +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,حذف تعليق؟ DocType: Address Template,This format is used if country specific format is not found,ويستخدم هذا الشكل إذا لم يتم العثور على صيغة محددة البلاد +DocType: System Settings,Allow Login using Mobile Number,السماح بتسجيل الدخول باستخدام رقم الجوال apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,لم يكن لديك أذونات كافية للوصول إلى هذه الموارد. يرجى الاتصال بمدير الخاص بك للوصول. DocType: Custom Field,Custom,مخصص apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,إعداد تنبيه البريد الإلكتروني استنادا إلى معايير مختلفة. @@ -1220,7 +1225,7 @@ apps/frappe/frappe/website/doctype/blog_post/blog_post.py +98,Posts filed under DocType: Email Alert,Send alert if date matches this field's value,إرسال تنبيه إذا تاريخ توافق مع قيمة هذا الحقل DocType: Workflow,Transitions,التحولات apps/frappe/frappe/desk/page/applications/applications.js +175,Remove {0} and delete all data?,إزالة {0} وحذف كافة البيانات؟ -apps/frappe/frappe/desk/page/activity/activity_row.html +34,{0} {1} to {2},{0} {1} إلى {2} +apps/frappe/frappe/desk/page/activity/activity_row.html +34,{0} {1} to {2},{0} {1} الي {2} DocType: User,Login After,بعد الدخول DocType: Print Format,Monospace,معدل النصوص والشروط DocType: Letter Head,Printing,طبع @@ -1238,9 +1243,9 @@ DocType: Workflow State,step-backward,خطوة إلى الوراء apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{ app_title } apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,الرجاء تعيين مفاتيح الوصول دروببوإكس في التكوين موقعك apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,حذف هذا السجل للسماح إرسالها إلى عنوان البريد الإلكتروني هذا -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,ضرورية لسجلات جديدة الحقول الإلزامية فقط. يمكنك حذف الأعمدة غير الإلزامية إذا كنت ترغب في ذلك. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,ضرورية لسجلات جديدة الحقول الإلزامية فقط. يمكنك حذف الأعمدة غير الإلزامية إذا كنت ترغب في ذلك. apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,غير قادر على تحديث الحدث -apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,دفع كامل +apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,تم إتمام الدفعة apps/frappe/frappe/utils/bot.py +89,show,تبين DocType: Address Template,Address Template,قالب عنوان DocType: Workflow State,text-height,ارتفاع النص @@ -1249,6 +1254,7 @@ DocType: Workflow State,map-marker,الخرائط علامة apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,يقدم العدد DocType: Event,Repeat this Event,كرر هذا الحدث DocType: Contact,Maintenance User,عضو الصيانة +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,تفضيلات الفرز apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,تجنب التواريخ والسنوات التي ترتبط معك. DocType: Custom DocPerm,Amend,تعديل DocType: File,Is Attachments Folder,هو مجلد المرفقات @@ -1268,15 +1274,15 @@ apps/frappe/frappe/model/document.py +526,Record does not exist,سجل غير م apps/frappe/frappe/core/doctype/version/version_view.html +13,Original Value,القيمة الأصلية DocType: Help Category,Help Category,مساعدة الفئة apps/frappe/frappe/utils/oauth.py +288,User {0} is disabled,المستخدم {0} تم تعطيل -apps/frappe/frappe/www/404.html +8,Page missing or moved,الصفحة المفقودة أو نقلها +apps/frappe/frappe/www/404.html +8,Page missing or moved,الصفحة مفقودة أو تم نقلها apps/frappe/frappe/public/js/legacy/form.js +192,Edit {0} properties,تعديل {0} خصائص DocType: DocType,Route,طريق apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,إعدادات بوابة الدفع Razorpay DocType: DocField,Name,اسم apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,لقد تجاوزت مساحة أقصى {0} لخطتك. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,ابحث في المستندات +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,ابحث في المستندات DocType: OAuth Authorization Code,Valid,صالح -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,فتح الرابط +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,فتح الرابط apps/frappe/frappe/desk/form/load.py +46,Did not load,لم يتم تحميل apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,اضف سطر DocType: Tag Category,Doctypes,Doctypes @@ -1291,7 +1297,7 @@ DocType: Workflow State,align-center,محاذاة الوسط DocType: Feedback Request,Is Feedback request triggered manually ?,وملاحظات طلب أثار يدويا؟ apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,يمكن كتابة apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.",وثائق معينة ، مثل الفاتورة ، لا ينبغي تغييره مرة واحدة نهائية . و دعا الدولة النهائية ل هذه الوثائق المقدمة . يمكنك تقييد الأدوار التي يمكن إرسال. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,لا يسمح لك لتصدير هذا التقرير +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,لا يسمح لك لتصدير هذا التقرير apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,عنصر واحد محدد DocType: Newsletter,Test Email Address,اختبار عنوان البريد الإلكتروني DocType: ToDo,Sender,مرسل @@ -1311,7 +1317,7 @@ DocType: DocType,Show in Module Section,تظهر في القسم وحدة DocType: Website Theme,Footer Color,اللون تذييل apps/frappe/frappe/core/doctype/communication/communication.js +53,Relink,إعادة ربط DocType: Web Page,"Page to show on the website -",الصفحة لتظهر على الموقع +",الصفحة التي ستظهر على الموقع DocType: Note,Seen By Table,ينظر من خلال الجدول apps/frappe/frappe/core/page/user_permissions/user_permissions.py +59,Cannot remove permission for DocType: {0} and Name: {1},لا يمكن إزالة إذن ل DOCTYPE : {0} و اسم : {1} apps/frappe/frappe/desk/page/activity/activity_row.html +13,Logged in,تسجيل الدخول @@ -1330,7 +1336,7 @@ apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,ال apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} غير موجود DocType: Communication,Attachment Removed,تم حذف المرفق apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,السنوات الأخيرة من السهل تخمين. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,إظهار وصف أسفل الحقل +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,إظهار وصف أسفل الحقل DocType: DocType,ASC,ASC DocType: Workflow State,align-left,محاذاة يسار DocType: User,Defaults,الافتراضات @@ -1341,7 +1347,7 @@ DocType: Dynamic Link,Link Title,لينك تيتل DocType: Workflow State,fast-backward,بسرعة الى الوراء DocType: DocShare,DocShare,DocShare DocType: Event,Friday,الجمعة -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,تحرير في صفحة كاملة +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,تحرير في صفحة كاملة DocType: Authentication Log,User Details,بيانات المستخدم DocType: Report,Add Total Row,إضافة صف الإجمالي apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,على سبيل المثال إذا قمت بإلغاء وتعديل INV004 أنها سوف تصبح وثيقة INV004-1 جديدة. هذا يساعدك على تتبع كل تعديل. @@ -1358,8 +1364,8 @@ DocType: Currency,"1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",وحدة واحدة من العملة = ؟ أجزاء صغيرة من العملة. على سبيل المثال : 1 ريال سعودي = 100 هللة. apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour",وقعت الكثير من المستخدمين في الآونة الأخيرة، وذلك هو تعطيل التسجيل. يرجى المحاولة مرة أخرى في ساعة apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,إضافة قاعدة صلاحيات جديدة -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,يمكنك استخدام حرف البدل٪ -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed",فقط ملحقات الصورة (gif أو jpg أو JPEG أو .tiff، بابوا نيو غينيا، زمر .svg) يسمح +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,يمكنك استخدام حرف البدل٪ +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed",فقط ملحقات الصورة (gif أو jpg أو JPEG أو .tiff، بابوا نيو غينيا، زمر .svg) يسمح DocType: DocType,Database Engine,محرك قاعدة البيانات DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box",حقول مفصولة بفواصل ستدرج (،) في "البحث عن طريق" قائمة مربع الحوار بحث ل apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,يرجى تكرار هذا موضوع الموقع للتخصيص. @@ -1367,10 +1373,10 @@ DocType: DocField,Text Editor,محرر النصوص apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,إعدادات صفحة من نحن apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,تحرير مخصص HTML DocType: Error Snapshot,Error Snapshot,خطأ لقطة -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,في +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,في DocType: Email Alert,Value Change,قيمة التغيير DocType: Standard Reply,Standard Reply,الرد القياسي -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,عرض مربع الإدخال +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,عرض مربع الإدخال DocType: Address,Subsidiary,شركة فرعية DocType: System Settings,In Hours,في ساعات apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,مع رأسية @@ -1385,15 +1391,14 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,دعوة كمستخدم apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,حدد المرفقات apps/frappe/frappe/model/naming.py +95, for {0},ل{0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,كانت هناك أخطاء. الرجاء الإبلاغ عن ذلك. +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,كانت هناك أخطاء. الرجاء الإبلاغ عن ذلك. apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,لا يسمح لك طباعة هذه الوثيقة apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,الرجاء تعيين قيمة المرشحات في الجدول تقرير تصفية. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,تحميل تقرير +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,تحميل تقرير apps/frappe/frappe/limits.py +72,Your subscription will expire today.,صلاحية اشتراكك ستنتهي اليوم. DocType: Page,Standard,معيار -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,ابحث عن {0} في apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,إرفاق ملف -apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,كلمة إعلام التحديثات +apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,إخطار تعديل كلمة السر apps/frappe/frappe/desk/page/backups/backups.html +13,Size,حجم apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +59,Assignment Complete,التنازل الكامل DocType: Custom DocPerm,User Permission DocTypes,DocTypes إذن المستخدم @@ -1402,9 +1407,9 @@ DocType: Deleted Document,New Name,اسم جديد DocType: Communication,Email Status,الحالة البريد الإلكتروني apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,الرجاء حفظ المستند قبل إزالة المهمة apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,إدراج فوق -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,الأسماء الشائعة والألقاب سهلة التخمين. +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,الأسماء الشائعة والألقاب سهلة التخمين. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,مسودة -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,هذا هو مماثل لكلمة شائعة الاستخدام. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,هذا هو مماثل لكلمة شائعة الاستخدام. DocType: User,Female,أنثى DocType: Print Settings,Modern,حديث apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,نتائج البحث @@ -1412,7 +1417,7 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,لم يتم DocType: Communication,Replied,رد DocType: Newsletter,Test,اختبار DocType: Custom Field,Default Value,القيمة الافتراضية -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,تأكد من +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,تأكد من DocType: Workflow Document State,Update Field,تحديث الحقل apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},فشل التحقق من صحة {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,الامتدادات الإقليمية @@ -1425,7 +1430,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,صفر يعني إرسال سجلات تحديثها في أي وقت apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,الإعداد الكامل DocType: Workflow State,asterisk,النجمة -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,من فضلك لا تغيير عناوين القالب. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,من فضلك لا تغيير عناوين القالب. DocType: Communication,Linked,مرتبط apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},أدخل الاسم الجديد ل{0} DocType: User,Frappe User ID,فرابي هوية المستخدم @@ -1434,9 +1439,9 @@ DocType: Workflow State,shopping-cart,عربة التسوق apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,أسبوع DocType: Social Login Keys,Google,جوجل DocType: Email Domain,Example Email Address,مثال عنوان البريد الإلكتروني -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,الأكثر استخداما -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,إلغاء الاشتراك من النشرة الإخبارية -apps/frappe/frappe/www/login.html +96,Forgot Password,هل نسيت كلمة المرور +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,الأكثر استخداما +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,إلغاء الاشتراك من النشرة الإخبارية +apps/frappe/frappe/www/login.html +101,Forgot Password,هل نسيت كلمة المرور DocType: Dropbox Settings,Backup Frequency,معدل النسخ الاحتياطي DocType: Workflow State,Inverse,معكوس DocType: DocField,User permissions should not apply for this Link,لا ينبغي تطبيق أذونات المستخدم لهذا الرابط @@ -1447,9 +1452,9 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Nu apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,المتصفح غير متوافق apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,بعض المعلومات مفقود DocType: Custom DocPerm,Cancel,إلغاء -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,أضف إلى سطح المكتب +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,أضف إلى سطح المكتب apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,ملف {0} غير موجود -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,اتركه فارغا لسجل جديد +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,اتركه فارغا لسجل جديد apps/frappe/frappe/config/website.py +63,List of themes for Website.,قائمة من الموضوعات عن الموقع. apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,تم التحديث بنجاح DocType: Authentication Log,Logout,خروج @@ -1462,7 +1467,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a DocType: Currency,Symbol,رمز apps/frappe/frappe/model/base_document.py +535,Row #{0}:,الصف # {0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,كلمة مرور جديدة عبر البريد الالكتروني -apps/frappe/frappe/auth.py +242,Login not allowed at this time,الدخول غير مسموح به في هذا الوقت +apps/frappe/frappe/auth.py +245,Login not allowed at this time,الدخول غير مسموح به في هذا الوقت DocType: Email Account,Email Sync Option,مزامنة البريد الإلكتروني الخيار DocType: Async Task,Runtime,وقت التشغيل DocType: Contact Us Settings,Introduction,مقدمة @@ -1477,7 +1482,7 @@ apps/frappe/frappe/config/setup.py +240,Custom Tags,مخصص للخلف apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,لم يتم العثور على تطبيقات مطابقة DocType: Communication,Submitted,المسجلة DocType: System Settings,Email Footer Address,البريد الإلكتروني تذييل العنوان -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,الجدول يستكمل +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,الجدول يستكمل DocType: Communication,Timeline DocType,DOCTYPE الزمني DocType: DocField,Text,نص apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,الردود على الاستفسارات القياسية الشائعة. @@ -1487,7 +1492,7 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by DocType: Footer Item,Footer Item,تذييل البند ,Download Backups,تحميل النسخ الاحتياطية apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,الصفحة الرئيسية / اختبار المجلد 1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.",لا تقم بتحديث، ولكن إدراج سجلات جديدة. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.",لا تقم بتحديث، ولكن إدراج سجلات جديدة. apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,تعيين لي apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,تحرير المجلد DocType: DocField,Dynamic Link,الارتباط الحيوي @@ -1500,9 +1505,10 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,مساعدة سريعة لوضع ضوابط DocType: Tag Doc Category,Doctype to Assign Tags,DOCTYPE لتعيين خلف apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,مشاهدة المعاودة +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,تم نقل البريد الإلكتروني إلى المهملات DocType: Report,Report Builder,تقرير منشئ DocType: Async Task,Task Name,اسم المهمة -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.",انتهت صلاحية الجلسة، يرجى تسجيل الدخول مرة أخرى للمتابعة. +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.",انتهت صلاحية الجلسة، يرجى تسجيل الدخول مرة أخرى للمتابعة. DocType: Communication,Workflow,سير العمل apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},في قائمة الانتظار للنسخ الاحتياطي وإزالة {0} DocType: Workflow State,Upload,تحميل @@ -1525,7 +1531,7 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18",سيظهر هذا المجال إلا إذا كان FIELDNAME المحدد هنا له قيمة أو قواعد صحيحة (أمثلة): myfield حدة التقييم: doc.myfield == 'بلدي القيمة "وحدة التقييم: doc.age> 18 -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,اليوم +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,اليوم apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).",وبمجرد الانتهاء من تعيين هذه ، سوف يكون المستخدمون قادرين فقط الوصول إلى المستندات (على سبيل المثال مدونة بوست) حيث يوجد رابط (مثل مدون ) . DocType: Error Log,Log of Scheduler Errors,سجل من الأخطاء جدولة DocType: User,Bio,نبذة @@ -1539,7 +1545,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,حذف DocType: Workflow State,adjust,ضبط DocType: Web Form,Sidebar Settings,إعدادات الشريط الجانبي -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,"

    لم يتم العثور على نتائج ل '

    " DocType: Website Settings,Disable Customer Signup link in Login page,تعطيل رابط تسجيل العملاء في صفحة تسجيل الدخول apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,تعيين ل / المالك DocType: Workflow State,arrow-left,سهم يسار @@ -1560,8 +1565,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,مشاهدة القسم العناوين DocType: Bulk Update,Limit,حد apps/frappe/frappe/www/printview.py +219,No template found at path: {0},لا توجد في مسار القالب: {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,إرسال بعد استيراد. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,ليس لديك حساب البريد الإلكتروني +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,إرسال بعد استيراد. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,ليس لديك حساب البريد الإلكتروني DocType: Communication,Cancelled,إلغاء DocType: Standard Reply,Standard Reply Help,رد مساعدة القياسية DocType: Blogger,Avatar,الصورة الرمزية @@ -1570,13 +1575,13 @@ DocType: DocType,Has Web View,لديها عرض ويب apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores",يجب أن يبدأ اسم DOCTYPE مع بريد إلكتروني ويمكن أن تتكون فقط من الحروف والأرقام والمسافات وأحرف (_) DocType: Communication,Spam,بريد مؤذي DocType: Integration Request,Integration Request,التكامل طلب -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,العزيز +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,العزيز DocType: Contact,Accounts User,حسابات المستخدمين DocType: Web Page,HTML for header section. Optional,HTML لرأس القسم. اختياري apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,هذه الميزة هي العلامة التجارية الجديدة والتجريبية لا يزال apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,الحد الأقصى {0} الصفوف المسموح DocType: Email Unsubscribe,Global Unsubscribe,إلغاء الاشتراك العالمية -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,هذا هو كلمة شائعة جدا. +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,هذا هو كلمة شائعة جدا. apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,عرض DocType: Communication,Assigned,تم تحديد المهمة DocType: Print Format,Js,شبيبة @@ -1584,13 +1589,14 @@ apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Form apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,نماذج لوحة المفاتيح قصيرة من السهل تخمين DocType: Portal Settings,Portal Menu,البوابة القائمة apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,يجب أن يكون طول {0} بين 1 و 1000 -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,البحث عن أي شيء +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,البحث عن أي شيء DocType: DocField,Print Hide,طباعة إخفاء apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,أدخل القيمة DocType: Workflow State,tint,لون DocType: Web Page,Style,أسلوب apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,على سبيل المثال: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} تعليقات +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,حساب البريد الألكتروني غير معد . فضلا إنشيء حساب الكتروني جديد من ال ضلط > بريد الكتروني > بريد الكتروني apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,اختر الفئة... DocType: Customize Form Field,Label and Type,التسمية و النوع DocType: Workflow State,forward,إلى الأمام @@ -1602,12 +1608,14 @@ DocType: Website Settings,Sub-domain provided by erpnext.com,المجال الف DocType: System Settings,dd-mm-yyyy,DD-MM-YYYY apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,يجب أن يكون لديك إذن للوصول إلى هذا التقرير. apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,يرجى تحديد الحد الأدنى لسجل كلمة المرور -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,تم الاضافة -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.",تحديث فقط، لا تقم بإدخال أرقام قياسية جديدة. +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,تم الاضافة +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.",تحديث فقط، لا تقم بإدخال أرقام قياسية جديدة. apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,يتم إرسالها حدث الموجز اليومي على أحداث التقويم حيث يتم تعيين التذكير. apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,مشاهدة الموقع DocType: Workflow State,remove,نزع DocType: Email Account,If non standard port (e.g. 587),إذا غير المنفذ القياسي (على سبيل المثال 587) +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,الإعداد> مدير أذونات المستخدم +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,لم يتم العثور على قالب عنوان افتراضي. الرجاء إنشاء ملف جديد من الإعداد> الطباعة والعلامة التجارية> نموذج العنوان. apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,تحديث apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,إضافة العلامات الخاصة بك الفئات apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,المجموع @@ -1625,16 +1633,15 @@ apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",نتائج ا apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},لا يمكن تعيين إذن ل DOCTYPE : {0} و اسم : {1} apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,إضافة إلى المهام DocType: Footer Item,Company,شركة -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,الرجاء الإعداد الافتراضي حساب البريد الإلكتروني من الإعداد> البريد الإلكتروني> حساب البريد الإلكتروني apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,تعيين إلى البيانات -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,التحقق من كلمة المرور +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,التحقق من كلمة المرور apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,كانت هناك أخطاء apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,أغلق apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,لا يمكن تغيير docstatus 0-2 DocType: User Permission for Page and Report,Roles Permission,أدوار إذن apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,تحديث DocType: Error Snapshot,Snapshot View,لقطة مشاهدة -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,الرجاء حفظ النشرة قبل الإرسال +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,الرجاء حفظ النشرة قبل الإرسال apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},يجب أن تكون الخيارات ل DOCTYPE صالحة لحقل {0} في {1} الصف apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,تحرير خصائص DocType: Patch Log,List of patches executed,قائمة من بقع أعدمت @@ -1642,17 +1649,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,الاتصالات متوسطة DocType: Website Settings,Banner HTML,راية HTML apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',يرجى تحديد طريقة دفع أخرى. Razorpay لا يعتمد المعاملات بالعملة '{0}' -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,في قائمة الانتظار للنسخ الاحتياطي. قد يستغرق بضع دقائق إلى ساعة. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,في قائمة الانتظار للنسخ الاحتياطي. قد يستغرق بضع دقائق إلى ساعة. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,تسجيل أوث العميل التطبيقات apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""","{0} {1} لا يمكن أن يكون ""{2}"". ينبغي أن يكون واحدا من ""{3}""" -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} أو {1} +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} أو {1} apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,إظهار أو إخفاء أيقونات سطح المكتب -apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,كلمة تحديث +apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,تعديل كلمة السر DocType: Workflow State,trash,القمامة DocType: System Settings,Older backups will be automatically deleted,سيتم حذف النسخ الاحتياطية القديمة تلقائيا DocType: Event,Leave blank to repeat always,اتركه فارغ لتكرار دائما -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,مؤكد +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,مؤكد DocType: Event,Ends on,ينتهي في DocType: Payment Gateway,Gateway,بوابة apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,ليس هناك إذن كاف لمشاهدة الروابط @@ -1660,18 +1667,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO",وأضاف HTML في القسم <head> من صفحة الويب، تستخدم في المقام الأول للتحقق من الموقع وSEO apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,انتكس apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,البند لا يمكن أن تضاف إلى أحفاد الخاصة -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,مشاهدة المجاميع +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,مشاهدة المجاميع DocType: Error Snapshot,Relapses,الانتكاسات DocType: Address,Preferred Shipping Address,عنوان النقل البحري المفضل DocType: Social Login Keys,Frappe Server URL,URL خادم فرابي -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,مع رئيس رسالة +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,مع رئيس رسالة apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} أنشأ {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,الوثيقة للتحرير فقط من قبل المستخدمين من دور apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.",مهمة {0}، الذي قمت بتعيينه إلى {1}، تم إغلاق بواسطة {2}. DocType: Print Format,Show Line Breaks after Sections,فواصل عرض الخط بعد الأقسام DocType: Blogger,Short Name,الاسم المختصر apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},الصفحة {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).",كنت اختيار مزامنة الخيار كما ALL، وسوف تتم إعادة مزامنة جميع \ قراءة وكذلك رسالة غير مقروءة من الخادم. هذا قد يسبب أيضا ازدواجية \ الاتصالات (البريد الإلكتروني). apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,حجم الملفات @@ -1680,7 +1687,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,محجوب DocType: Contact Us Settings,"Default: ""Contact Us""",الافتراضي: "اتصل بنا" DocType: Contact,Purchase Manager,مدير المشتريات -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.",0 هو مستوى الأذونات لمستوى الوثيقة، مستويات أعلى للحصول على أذونات المستوى الميداني. DocType: Custom Script,Sample,عينة apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,غير مصنف الكلمات apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore",يجب أن لا يحتوي على اسم المستخدم أي حروف خاصة الا من الحروف والأرقام وتسطير @@ -1703,21 +1709,21 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please up apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,شهر DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,ProTip: إضافة Reference: {{ reference_doctype }} {{ reference_name }} لإرسال وثيقة مرجعية apps/frappe/frappe/modules/utils.py +202,App not found,لم يتم العثور على التطبيق -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},لا يمكن إنشاء {0} ضد وثيقة الطفل: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},لا يمكن إنشاء {0} ضد وثيقة الطفل: {1} DocType: Portal Settings,Custom Sidebar Menu,الشريط الجانبي مخصص القائمة DocType: Workflow State,pencil,قلم رصاص apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,.رسائل الدردشة والإخطارات الأخرى apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +72,Insert After cannot be set as {0},إدراج بعد لا يمكن تعيين ك {0} apps/frappe/frappe/public/js/frappe/form/share.js +57,Share {0} with,مشاركة {0} مع -apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please enter your password for: ,إعداد البريد الإلكتروني حساب الرجاء إدخال كلمة السر ل: +apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please enter your password for: ,اعداد حساب البريد الألكتروني فضلا ادخل كلمة السر: DocType: Workflow State,hand-up,ومن ناحية المتابعة DocType: Blog Settings,Writers Introduction,مقدمة الكاتب DocType: Communication,Phone,هاتف -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,خطأ أثناء تقييم إرسال تنبيه {0}. الرجاء إصلاح القالب. +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,خطأ أثناء تقييم إرسال تنبيه {0}. الرجاء إصلاح القالب. apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,حدد نوع الوثيقة أو دور للبدء. DocType: Contact,Passive,غير فعال DocType: Contact,Accounts Manager,مدير حسابات -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,حدد نوع الملف +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,حدد نوع الملف DocType: Help Article,Knowledge Base Editor,محرر قاعدة المعرفة apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,لم يتم العثور على الصفحة DocType: DocField,Precision,دقة @@ -1726,7 +1732,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,مجموعات DocType: Workflow State,Workflow State,حالة سير العمل apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,واضاف الصفوف -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,نجاح! كنت جيدة للذهاب 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,نجاح! كنت جيدة للذهاب 👍 apps/frappe/frappe/www/me.html +3,My Account,حسابي DocType: ToDo,Allocated To,المخصصة ل apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,الرجاء الضغط على الرابط التالي لتعيين كلمة المرور الجديدة @@ -1748,7 +1754,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,حالة apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,الدخول معرف apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},كنت قد قدمت {0} من {1} DocType: OAuth Authorization Code,OAuth Authorization Code,أوث كود التفويض -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,لا يسمح ل استيراد +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,لا يسمح ل استيراد DocType: Social Login Keys,Frappe Client Secret,سر العميل فرابي DocType: Deleted Document,Deleted DocType,DOCTYPE المحذوفة apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,إذن مستويات @@ -1756,11 +1762,11 @@ DocType: Workflow State,Warning,تحذير DocType: Tag Category,Tag Category,العلامة الفئة apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!",تجاهل البند {0} ، لأن مجموعة موجودة بنفس الاسم ! apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,لا يمكن استعادة الوثيقة ملغاة -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,مساعدة +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,مساعدة DocType: User,Login Before,تسجيل الدخول قبل DocType: Web Page,Insert Style,إدراج نمط apps/frappe/frappe/config/setup.py +253,Application Installer,مثبت التطبيق -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,اسم التقرير الجديد +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,اسم التقرير الجديد apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,هل DocType: Workflow State,info-sign,معلومات تسجيل الدخول، apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,قيمة {0} لا يمكن أن تكون قائمة @@ -1768,9 +1774,10 @@ DocType: Currency,"How should this currency be formatted? If not set, will use s apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,ضوابط مشاهدة العضو apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,تحتاج إلى أن تقوم بتسجيل الدخول ولها دور مدير النظام أن يكون قادرا على الوصول إلى النسخ الاحتياطي. apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,المتبقية +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,"

    لم يتم العثور على نتائج ل '

    " apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,الرجاء حفظ قبل إرفاق. -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),وأضاف {0} ({1}) -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},تم تعيين السمة الافتراضية في {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),وأضاف {0} ({1}) +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},تم تعيين السمة الافتراضية في {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},Fieldtype لا يمكن تغييرها من {0} إلى {1} في {2} الصف apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,ضوابط دور DocType: Help Article,Intermediate,متوسط @@ -1786,11 +1793,12 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,تحديث ... DocType: Event,Starts on,يبدأ يوم DocType: System Settings,System Settings,إعدادات النظام apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,فشل بدء الجلسة -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},وقد أرسلت هذه الرسالة الى {0} ونسخها إلى {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},وقد أرسلت هذه الرسالة الى {0} ونسخها إلى {1} DocType: Workflow State,th,ال -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},انشاء جديد {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,الإعداد> المستخدم +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},انشاء جديد {0} DocType: Email Rule,Is Spam,هو المزعج -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},تقرير {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},تقرير {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},مفتوحة {0} DocType: OAuth Client,Default Redirect URI,افتراضي إعادة توجيه URI DocType: Email Alert,Recipients,المستلمين @@ -1799,13 +1807,13 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,مكررة DocType: Newsletter,Create and Send Newsletters,إنشاء وإرسال النشرات الإخبارية apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,يجب أن تكون من تاريخ إلى تاريخ قبل apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,يرجى تحديد أي يجب فحص حقل القيمة -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added","""الأم"" يدل على الجدول الأصل الذي يجب أن يضاف هذا الصف" +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added","""الأم"" يدل على الجدول الأصل الذي يجب أن يضاف هذا الصف" DocType: Website Theme,Apply Style,تطبيق نمط DocType: Feedback Request,Feedback Rating,ردود الفعل التصويت apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,مشترك مع DocType: Help Category,Help Articles,مقالات المساعدة ,Modules Setup,إعداد وحدات -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,النوع: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,النوع: DocType: Communication,Unshared,غير مشترك apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,لم يتم العثور على الوحدة برمجية DocType: User,Location,الموقع @@ -1813,27 +1821,27 @@ apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},ت ,Permitted Documents For User,المستندات يسمح للمستخدم apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission","تحتاج إلى أن يكون ""مشاركة"" إذن" DocType: Communication,Assignment Completed,تم إنجاز المهمة -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},تعديل بالجمله {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},تعديل بالجمله {0} DocType: Email Alert Recipient,Email Alert Recipient,ارسال بريد تنبيه للمستلم apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,غير نشطة DocType: About Us Settings,Settings for the About Us Page,إعدادات لمن نحن الصفحة apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,إعدادات بوابة الدفع الشريطية apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,حدد نوع الوثيقة لتحميل DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,على سبيل المثال pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,استخدام الحقل لتصفية السجلات +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,استخدام الحقل لتصفية السجلات DocType: DocType,View Settings,عرض إعدادات DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll",إضافة الموظفين الخاص بك حتى تتمكن من إدارة الإجازات و النفقات والرواتب DocType: System Settings,Scheduler Last Event,جدولة الحدث الأخير DocType: Website Settings,Add Google Analytics ID: eg. UA-89XXX57-1. Please search help on Google Analytics for more information.,"(UA-89XXX57-1)اضافة تحليلات جوجل رقم تعريفى من فضلك ابحث عن المساعدة فى تحليلات جوجل لمزيد من المعلومات" -apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 characters long,كلمة سر لا يمكن أن يكون أكثر من 100 حرفا +apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 characters long,كلمة السر لا يمكن أن تكون أطول من 100 حرفا DocType: OAuth Client,App Client ID,التطبيق معرف العميل DocType: Kanban Board,Kanban Board Name,اسم مجلس كانبان DocType: Email Alert Recipient,"Expression, Optional",التعبير والاختياري -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},أرسلت هذه الرسالة إلى {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},أرسلت هذه الرسالة إلى {0} DocType: DocField,Remember Last Selected Value,تذكر آخر مختارة القيمة -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,الرجاء تحديد نوع المستند +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,الرجاء تحديد نوع المستند DocType: Email Account,Check this to pull emails from your mailbox,التحقق من ذلك لسحب رسائل البريد الإلكتروني من صندوق البريد apps/frappe/frappe/limits.py +139,click here,انقر هنا apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,لا يمكنك التعديل على وثيقة ملغية @@ -1856,26 +1864,26 @@ DocType: Communication,Has Attachment,لديها مرفق DocType: Contact,Sales User,مبيعات العضو apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,سحب وإسقاط أداة لبناء وتخصيص تنسيقات طباعة. apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,وسع -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,مجموعة +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,مجموعة DocType: Email Alert,Trigger Method,الطريقة الزناد DocType: Workflow State,align-right,محاذاة اليمين DocType: Auto Email Report,Email To,البريد الإلكتروني الى apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,المجلد {0} ليست فارغة DocType: Page,Roles,الأدوار -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,الحقل {0} ليس اختيار. +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,الحقل {0} ليس اختيار. DocType: System Settings,Session Expiry,الدورة انتهاء الاشتراك DocType: Workflow State,ban-circle,دائرة الحظر DocType: Email Flag Queue,Unread,غير مقروء DocType: Bulk Update,Desk,مكتب apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,كتابة استعلام SELECT. لم يتم ترحيلها علما نتيجة (يتم إرسال جميع البيانات دفعة واحدة). DocType: Email Account,Attachment Limit (MB),الحد مرفق (MB) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,الإعداد التلقائي البريد الإلكتروني +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,الإعداد التلقائي البريد الإلكتروني apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,CTRL + Down -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,هذا هو كلمة السر المشتركة من أعلى إلى 10. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,هذا هو كلمة السر المشتركة من أعلى إلى 10. DocType: User,User Defaults,الملف الشخصي الافتراضيات apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,انشاء جديد DocType: Workflow State,chevron-down,شيفرون لأسفل -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),البريد الإلكتروني لا يرسل إلى {0} (غير مشترك / غيرمفعل) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),البريد الإلكتروني لا يرسل إلى {0} (غير مشترك / غيرمفعل) DocType: Async Task,Traceback,Traceback DocType: Currency,Smallest Currency Fraction Value,أصغر العملات الكسر القيمة apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,تكليف إلى @@ -1886,7 +1894,7 @@ DocType: User,Restrict user from this IP address only. Multiple IP addresses can DocType: Communication,From,من DocType: Website Theme,Google Font (Heading),خطوط قوقل (للعنوان) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,حدد عقدة المجموعة أولا. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},البحث عن {0} في {1} +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},البحث عن {0} في {1} DocType: OAuth Client,Implicit,ضمني DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","كما إلحاق الاتصالات ضد هذا DOCTYPE (يجب أن يكون المجالات، ""الحالة""، ""الموضوع"")" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1903,8 +1911,10 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loadi apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.",أدخل مفاتيح لتمكين تسجيل الدخول عبر الفيسبوك ، وجوجل، جيثب . DocType: Auto Email Report,Filter Data,تصفية البيانات apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,إضافة علامة -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,يرجى إرفاق ملف الأول. +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,يرجى إرفاق ملف الأول. apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator",كانت هناك بعض الأخطاء تحديد اسم، يرجى الاتصال بمسؤول +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.",يبدو أنك كتبت اسمك بدلا من بريدك الإلكتروني. \ يرجى إدخال عنوان بريد إلكتروني صالح حتى نتمكن من العودة. DocType: Website Slideshow Item,Website Slideshow Item,موقع السلعة عرض شرائح DocType: Portal Settings,Default Role at Time of Signup,دور افتراضي في وقت الاشتراك DocType: DocType,Title Case,عنوان القضية @@ -1912,7 +1922,7 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ","تسمية خيارات:
    1. الملعب: [FIELDNAME] - من الميدان
    2. naming_series: - عن طريق تسمية سلسلة (يجب أن يكون حقل يسمى naming_series الحالي
    3. عاجل - مطالبة المستخدم عن اسم
    4. [سلسلة] - سلسلة من بادئة (مفصولة نقطة). على سبيل المثال PRE. #####
    " DocType: Blog Post,Email Sent,إرسال البريد الإلكتروني DocType: DocField,Ignore XSS Filter,تجاهل XSS تصفية -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,إزالة +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,إزالة apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,إعدادات النسخ الاحتياطي دروببوإكس apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,إرسال كبريد الالكتروني DocType: Website Theme,Link Color,ارتباط اللون @@ -1933,9 +1943,9 @@ DocType: Letter Head,Letter Head Name,اسم ترئيس الرسالة DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),عدد الأعمدة للحقل في قائمة عرض أو الشبكة (يجب أن يكون مجموع الأعمدة أقل من 11) apps/frappe/frappe/config/website.py +18,User editable form on Website.,العضو شكل قابل للتحرير على موقع الويب. DocType: Workflow State,file,ملف -apps/frappe/frappe/www/login.html +103,Back to Login,العودة إلى تسجيل الدخول +apps/frappe/frappe/www/login.html +108,Back to Login,العودة إلى تسجيل الدخول apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,كنت بحاجة إلى كتابة إذن لإعادة تسمية -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,تطبيق القاعدة +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,تطبيق القاعدة DocType: User,Karma,السمعة DocType: DocField,Table,جدول DocType: File,File Size,حجم الملف @@ -1945,7 +1955,7 @@ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Coun apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,ما بين DocType: Async Task,Queued,قائمة الانتظار DocType: PayPal Settings,Use Sandbox,استخدام رمل -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,تنسيق مخصص للطباعة جديد +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,تنسيق مخصص للطباعة جديد DocType: Custom DocPerm,Create,انشاء apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},تصفية الباطلة: {0} DocType: Email Account,no failed attempts,محاولات فاشلة لا @@ -1969,8 +1979,8 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,إشارة DocType: DocType,Show Print First,إظهار الطباعة أوﻻ apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,Ctrl + Enter للإضافة -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},إنشاء {0} -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,حساب بريد إلكتروني جديد +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},إنشاء {0} +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,حساب بريد إلكتروني جديد apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),الحجم (MB) DocType: Help Article,Author,مؤلف apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,استئناف إرسال @@ -1980,7 +1990,7 @@ DocType: Print Settings,Monochrome,أحادية اللون DocType: Contact,Purchase User,عضو الشراء DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.",مختلفة "الدول" هذه الوثيقة يمكن أن توجد فيها مثل "فتح" و "الموافقة معلقة" الخ. apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,هذا الرابط غير صالح أو منتهية الصلاحية. من فضلك تأكد من ولصق بشكل صحيح. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} تم إلغاء اشتراك بنجاح من هذه القائمة البريدية. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} تم إلغاء اشتراك بنجاح من هذه القائمة البريدية. DocType: Web Page,Slideshow,عرض الشرائح apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,لا يمكن حذف القالب الافتراضي العنوان DocType: Contact,Maintenance Manager,مدير الصيانة @@ -1994,13 +2004,16 @@ apps/frappe/frappe/model/document.py +1047,This document is currently queued for apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,ملف '{0}' غير موجود apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,إزالة القسم DocType: User,Change Password,تغيير كلمة المرور -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},صالح البريد الإلكتروني: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},صالح البريد الإلكتروني: {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,يجب أن يكون نهاية الحدث بعد بداية apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},ليس لديك إذن للحصول على تقرير عن: {0} DocType: DocField,Allow Bulk Edit,السماح بالتحرير المجمع DocType: Blog Post,Blog Post,منشور المدونه -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,البحث المتقدم -apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,وقد تم إرسال إرشادات إعادة تعيين كلمة المرور إلى بريدك الإلكتروني +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,البحث المتقدم +apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,تم إرسال إرشادات إعادة تعيين كلمة السر إلى بريدك الإلكتروني +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.",المستوى 0 هو أذونات مستوى المستند، \ مستويات أعلى لأذونات مستوى المجال. +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,فرز حسب DocType: Workflow,States,الدول DocType: Email Alert,Attach Print,إرفق طباعة apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},اسم المستخدم اقترح: {0} @@ -2008,25 +2021,25 @@ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,يوم ,Modules,وحدات برمجية apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,وضع أيقونات سطح المكتب apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,دفع النجاح -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,لا {0} الإلكتروني +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,لا {0} الإلكتروني DocType: OAuth Bearer Token,Revoked,إلغاء DocType: Web Page,Sidebar and Comments,الشريط الجانبي وتعليقات apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.",عند تعديل مستند بعد الغاء وحفظه ، وسوف تحصل على عدد جديد هو نسخة من الرقم القديم . DocType: Stripe Settings,Publishable Key,مفتاح قابل للنشر DocType: Workflow State,circle-arrow-left,دائرة السهم اليسار apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,مخبأ خادم رديس يست قيد التشغيل. الرجاء الاتصال بمسؤول / الدعم الفني -apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,اسم الحزب -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,أنشئ سجل جديد +apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,اسم الطرف +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,أنشئ سجل جديد apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,البحث DocType: Currency,Fraction,جزء DocType: LDAP Settings,LDAP First Name Field,LDAP الاسم الميدان -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,اختر من القائمة إرفاق ملفات +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,اختر من القائمة إرفاق ملفات DocType: Custom Field,Field Description,وصف الحقل apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,الأسم: لم تحدد عن طريق موجه -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,البريد الإلكتروني الوارد +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,البريد الإلكتروني الوارد DocType: Auto Email Report,Filters Display,عرض المرشحات DocType: Website Theme,Top Bar Color,أعلى بار اللون -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,هل تريد إلغاء الاشتراك من القائمة البريدية؟ +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,هل تريد إلغاء الاشتراك من القائمة البريدية؟ DocType: Address,Plant,مصنع apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,الرد على الجميع DocType: DocType,Setup,الإعدادات @@ -2036,8 +2049,8 @@ DocType: Workflow State,glass,زجاج DocType: DocType,Timeline Field,الجدول الزمني الميدان DocType: Country,Time Zones,من المناطق الزمنية apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,يجب أن يكون هناك أتلست حكم إذن واحدة. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,الحصول على أصناف -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,لم apporve دروببوإكس الوصول. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,الحصول على أصناف +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,لم apporve دروببوإكس الوصول. DocType: DocField,Image,صورة DocType: Workflow State,remove-sign,إزالة التوقيع، apps/frappe/frappe/www/search.html +30,Type something in the search box to search,اكتب شيئا في مربع البحث للبحث @@ -2046,9 +2059,9 @@ DocType: Communication,Other,آخر apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,بدء تنسيق جديد apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,يرجى إرفاق ملف DocType: Workflow State,font,الخط -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,هذا هو كلمة السر المشتركة من أعلى إلى 100. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,هذا هو كلمة السر المشتركة من أعلى إلى 100. apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,يرجى تمكين النوافذ المنبثقة -DocType: Contact,Mobile No,رقم الجوال +DocType: User,Mobile No,رقم الجوال DocType: Communication,Text Content,محتوى النص DocType: Customize Form Field,Is Custom Field,هو حقل مخصص DocType: Workflow,"If checked, all other workflows become inactive.",إذا تم، جميع مهام سير العمل الأخرى تصبح خاملة. @@ -2063,7 +2076,7 @@ DocType: Email Flag Queue,Action,حدث apps/frappe/frappe/www/update-password.html +111,Please enter the password,الرجاء إدخال كلمة المرور apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,لا يسمح لطباعة الوثائق الملغاة apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,لا يسمح لك لإنشاء أعمدة -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,معلومات: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,معلومات: DocType: Custom Field,Permission Level,إذن المستوى DocType: User,Send Notifications for Transactions I Follow,إرسال الإشعارات عن المعاملات التي أتابعها apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write",{0} : لا يمكن تحديد تأكيد ، الغاء ، تعديل دون كتابة @@ -2081,11 +2094,11 @@ DocType: DocField,In List View,في عرض القائمة DocType: Email Account,Use TLS,استخدام TLS apps/frappe/frappe/email/smtp.py +24,Invalid login or password,تسجيل الدخول أو كلمة المرور غير صالحة apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,إضافة جافا سكريبت الى (forms) -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,م +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,م ,Role Permissions Manager,مدير ضوابط الأدوار apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,اسم الشكل الجديد طباعة -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,مسح المرفقات -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,إلزامية: +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,مسح المرفقات +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,إلزامية: ,User Permissions Manager,مدير ضوابط المستخدم DocType: Property Setter,New value to be set,القيمة الجديدة التي سيتم تحديدها DocType: Email Alert,Days Before or After,أيام قبل أو بعد @@ -2104,7 +2117,7 @@ DocType: Email Alert,Message Examples,أمثلة رسالة DocType: Web Form,Login Required,تسجيل الدخول مطلوب apps/frappe/frappe/config/website.py +42,Write titles and introductions to your blog.,اكتب العناوين والمقدمات لمدونتك . DocType: Email Account,Email Login ID,معرف تسجيل الدخول إلى البريد الإلكتروني -apps/frappe/frappe/templates/pages/integrations/payment-cancel.html +3,Payment Cancelled,دفع ملغاة +apps/frappe/frappe/templates/pages/integrations/payment-cancel.html +3,Payment Cancelled,تم إلغاء الدفعة ,Addresses And Contacts,عناوين واتصالات apps/frappe/frappe/core/doctype/error_log/error_log_list.js +12,Clear Error Logs,مسح سجلات سجلات الاخطاء apps/frappe/frappe/templates/emails/feedback_request_url.html +2,Please select a rating,يرجى تحديد تصنيف @@ -2121,14 +2134,14 @@ apps/frappe/frappe/model/base_document.py +428,Value missing for,قيمة مفق apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,إضافة الطفل apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: لا يمكن حذف سجل مؤكد. apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,حجم النسخ الإحتياطي -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,نوع جديد من الوثيقة +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,نوع جديد من الوثيقة DocType: Custom DocPerm,Read,قرأ DocType: Role Permission for Page and Report,Role Permission for Page and Report,إذن دور للصفحة وتقرير apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,محاذاة القيمة apps/frappe/frappe/www/update-password.html +14,Old Password,كلمة المرور القديمة apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},مشاركات {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.",لتنسيق الأعمدة، وإعطاء تسميات الأعمدة في الاستعلام. -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,لم يكن لديك حساب؟ سجل +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,ليس لديك حساب ؟ تسجيل الدخول apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,{0} : لا يمكن تحديد تعيين بالتعديل إن لم يكن قابل للتأكيد apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,ضوابط تعديل الادوار DocType: Communication,Link DocType,رابط DOCTYPE @@ -2142,7 +2155,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,وتظهر apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,الصفحة التي تبحث عن مفقود. يمكن أن يكون هذا ليتم نقله أو أن هناك خطأ مطبعي في الارتباط. apps/frappe/frappe/www/404.html +13,Error Code: {0},رمز الخطأ: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)",وصف لصفحة القائمة، في نص عادي، فقط بضعة أسطر. (حد أقصى 140 حرف) -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,إضافة تقييد العضو +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,إضافة تقييد العضو DocType: DocType,Name Case,اسم القضية apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,مشترك مع الجميع apps/frappe/frappe/model/base_document.py +423,Data missing in table,البيانات الناقصة في الجدول @@ -2167,7 +2180,7 @@ apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your ema can get back to you. Thanks!","الرجاء إدخال كل من البريد الإلكتروني ورسالة حتى نتمكن \ يمكن أن نعود اليكم. شكر!" apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,لا يمكن الاتصال بخادم البريد الإلكتروني المنتهية ولايته -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,شكرا لك على اهتمامك في الاشتراك في تحديثات لدينا +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,شكرا لك على اهتمامك في الاشتراك في تحديثات لدينا apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,عمود مخصص DocType: Workflow State,resize-full,تغيير حجم كامل DocType: Workflow State,off,بعيدا @@ -2185,10 +2198,10 @@ DocType: OAuth Bearer Token,Expires In,ينتهي في DocType: DocField,Allow on Submit,السماح بالإعتماد DocType: DocField,HTML,HTML DocType: Error Snapshot,Exception Type,نوع الاستثناء -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,اختيار الأعمدة +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,اختيار الأعمدة DocType: Web Page,Add code as <script>,إضافة التعليمات البرمجية كما <script> apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +7,Select Type,حدد نوع -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +24,Please enter values for App Access Key and App Secret Key,الرجاء إدخال قيم التطبيقات مفتاح الوصول والتطبيقات سر مفتاح +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +26,Please enter values for App Access Key and App Secret Key,الرجاء إدخال قيم التطبيقات مفتاح الوصول والتطبيقات سر مفتاح DocType: Web Form,Accept Payment,يوافق على الدفع apps/frappe/frappe/config/core.py +62,A log of request errors,سجل الاخطاء DocType: Report,Letter Head,ترئيس الرسالة @@ -2218,28 +2231,28 @@ apps/frappe/frappe/public/js/frappe/request.js +111,Please try again,حاول م apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 3,الخيار 3 DocType: Unhandled Email,uid,رمز المستخدم DocType: Workflow State,Edit,تحرير -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Permissions can be managed via Setup > Role Permissions Manager,يمكن أن تدار عن طريق إعداد أذونات & GT. مدير ضوابط دور +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +226,Permissions can be managed via Setup > Role Permissions Manager,يمكن أن تدار عن طريق إعداد أذونات & GT. مدير ضوابط دور DocType: Contact Us Settings,Pincode,الرقم السري apps/frappe/frappe/core/page/data_import_tool/importer.py +81,Please make sure that there are no empty columns in the file.,يرجى التأكد من أنه لا توجد أعمدة فارغة في الملف. apps/frappe/frappe/utils/oauth.py +232,Please ensure that your profile has an email address,يرجى التأكد من أن التعريف الخاص بك لديه عنوان البريد الإلكتروني -apps/frappe/frappe/public/js/frappe/model/create_new.js +282,You have unsaved changes in this form. Please save before you continue.,لديك تغييرات لم يتم حفظها في هذا النموذج. +apps/frappe/frappe/public/js/frappe/model/create_new.js +286,You have unsaved changes in this form. Please save before you continue.,لديك تغييرات لم يتم حفظها في هذا النموذج. apps/frappe/frappe/core/doctype/doctype/doctype.py +439,Default for {0} must be an option,الافتراضي ل{0} يجب أن يكون خيارا DocType: Tag Doc Category,Tag Doc Category,العلامة دوك الفئة DocType: User,User Image,صورة المستخدم apps/frappe/frappe/email/queue.py +286,Emails are muted,رسائل البريد الإلكتروني هي صامتة apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Up,CTRL + Up DocType: Website Theme,Heading Style,يتجه نمط -apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,سيتم إنشاء مشروع جديد مع هذا الأسم -apps/frappe/frappe/utils/data.py +527,1 weeks ago,منذ اسبوع +apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,سيتم إنشاء مشروع جديد مع هذا الإسم +apps/frappe/frappe/utils/data.py +528,1 weeks ago,منذ اسبوع apps/frappe/frappe/desk/page/applications/applications.py +75,You cannot install this app,لا يمكنك تثبيت هذا التطبيق DocType: Communication,Error,خطأ -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +89,Do not send Emails.,لا ترسل رسائل البريد الإلكتروني. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +99,Do not send Emails.,لا ترسل رسائل البريد الإلكتروني. DocType: DocField,Column Break,فاصل عمودي DocType: Event,Thursday,الخميس apps/frappe/frappe/utils/response.py +143,You don't have permission to access this file,لم يكن لديك إذن للوصول إلى هذا الملف apps/frappe/frappe/model/document.py +639,Cannot link cancelled document: {0},لا يمكن ربط وثيقة إلغاء: {0} apps/frappe/frappe/core/doctype/report/report.py +28,Cannot edit a standard report. Please duplicate and create a new report,لا يمكنك التعديل على التقارير القياسية. يرجى نسخ التقريرالقياسي و التعديل على النسخة الجديدة -apps/frappe/frappe/geo/doctype/address/address.py +54,"Company is mandatory, as it is your company address",الشركة هي إلزامية، كما هو عنوان لشركتك +apps/frappe/frappe/geo/doctype/address/address.py +54,"Company is mandatory, as it is your company address","الشركة اجباري , لعنوان شركتك" apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +698,"For example: If you want to include the document ID, use {0}",على سبيل المثال: إذا كنت تريد تضمين الوثيقة ID، استخدم {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +600,Select Table Columns for {0},تحديد الأعمدة الجدول ل{0} DocType: Custom Field,Options Help,خيارات مساعدة @@ -2277,26 +2290,24 @@ apps/frappe/frappe/config/desk.py +38,Private and public Notes.,ملاحظات DocType: DocField,Datetime,التاريخ والوقت apps/frappe/frappe/templates/includes/login/login.js +174,Not a valid user,غير مستخدم صالح DocType: Workflow State,arrow-right,سهم يمين -apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} سنة (سنوات) DocType: Workflow State,Workflow state represents the current state of a document.,تمثل حالة سير العمل الحالة الراهنة للوثيقة. apps/frappe/frappe/utils/oauth.py +221,Token is missing,رمز مفقود apps/frappe/frappe/utils/file_manager.py +269,Removed {0},إزالة {0} DocType: Company History,Highlight,Highlight DocType: OAuth Provider Settings,Force,فرض DocType: DocField,Fold,طية -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +656,Ascending,تصاعدي +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Ascending,تصاعدي apps/frappe/frappe/printing/doctype/print_format/print_format.py +19,Standard Print Format cannot be updated,لا يمكن تحديث تنسيق الطباعة القياسية apps/frappe/frappe/public/js/frappe/model/model.js +537,Please specify,يرجى تحديد DocType: Communication,Bot,آلي DocType: Help Article,Help Article,مساعدة المادة DocType: Page,Page Name,اسم الصفحة -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +202,Help: Field Properties,مساعدة: خصائص الحقل -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +134,Importing...,استيراد ... +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +203,Help: Field Properties,مساعدة: خصائص الحقل +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +137,Importing...,استيراد ... apps/frappe/frappe/core/doctype/file/file.js +27,Unzip,بفك apps/frappe/frappe/model/document.py +923,Incorrect value in row {0}: {1} must be {2} {3},قيمة غير صحيحة في الصف {0} : {1} يجب أن يكون {2} {3} apps/frappe/frappe/workflow/doctype/workflow/workflow.py +67,Submitted Document cannot be converted back to draft. Transition row {0},"الوثيقة المسجلة لا يمكن تحويلها إلى مسودة . row{0}" -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,الإعداد> المستخدم apps/frappe/frappe/desk/reportview.py +217,Deleting {0},حذف {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start.html +2,Select an existing format to edit or start a new format.,تحديد شكل القائمة لتعديل أو اضافة شكل جديد. apps/frappe/frappe/workflow/doctype/workflow/workflow.py +38,Created Custom Field {0} in {1},إنشاء الحقل المخصص {0} في {1} @@ -2314,12 +2325,12 @@ DocType: OAuth Provider Settings,Auto,السيارات DocType: Workflow State,question-sign,علامة سؤال DocType: Email Account,Add Signature,إضافة التوقيع apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +38,Left this conversation,تركت هذه المحادثة -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +479,Did not set,لم يحدد +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Did not set,لم يحدد ,Background Jobs,خلفية عن الخبرات السابقة DocType: ToDo,ToDo,قائمة المهام DocType: DocField,No Copy,اي نسخة DocType: Workflow State,qrcode,qrcode -apps/frappe/frappe/www/login.html +29,Login with LDAP,تسجيل الدخول مع LDAP +apps/frappe/frappe/www/login.html +34,Login with LDAP,تسجيل الدخول مع LDAP DocType: Web Form,Breadcrumbs,فتات الخبز apps/frappe/frappe/core/doctype/doctype/doctype.py +637,If Owner,إذا المالك DocType: OAuth Authorization Code,Expiration time,وقت انتهاء الصلاحية @@ -2328,30 +2339,27 @@ DocType: Web Form,Show Sidebar,مشاهدة الشريط الجانبي apps/frappe/frappe/website/doctype/web_form/web_form.py +128,You need to be logged in to access this {0}.,تحتاج إلى تسجيل الدخول للوصول إلى هذه {0}. apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +142,Complete By,الكامل من جانب apps/frappe/frappe/templates/includes/comments/comments.py +48,{0} by {1},{0} بواسطة {1} -apps/frappe/frappe/utils/password_strength.py +169,All-uppercase is almost as easy to guess as all-lowercase.,جميع الأحرف الكبيرة تكون سهلة التخمين تقريبا كالأحرف الصغيرة +apps/frappe/frappe/utils/password_strength.py +171,All-uppercase is almost as easy to guess as all-lowercase.,جميع الأحرف الكبيرة تكون سهلة التخمين تقريبا كالأحرف الصغيرة DocType: Feedback Trigger,Email Fieldname,البريد الإلكتروني FIELDNAME DocType: Website Settings,Top Bar Items,قطع الشريط العلوي apps/frappe/frappe/email/doctype/email_account/email_account.py +53,"Email id must be unique, Email Account is already exist \ - for {0}",البريد الإلكتروني معرف يجب أن تكون فريدة من نوعها، وبالفعل موجود \ حساب البريد الإلكتروني ل {0} + for {0}","تعريف البريد الألكتروني يجب ان يكون فريد , حساب البريد الألكتروني موجد من قبل / لـ {0}" DocType: Print Settings,Print Settings,إعدادات الطباعة DocType: Page,Yes,نعم DocType: DocType,Max Attachments,المرفقات ماكس DocType: Desktop Icon,Page,صفحة apps/frappe/frappe/utils/bot.py +145,Could not find {0} in {1},لا يمكن أن تجد {0} في {1} -apps/frappe/frappe/utils/password_strength.py +161,Names and surnames by themselves are easy to guess.,الأسماء والألقاب في حد ذاتها هي سهلة التخمين. +apps/frappe/frappe/utils/password_strength.py +163,Names and surnames by themselves are easy to guess.,الأسماء والألقاب في حد ذاتها هي سهلة التخمين. apps/frappe/frappe/config/website.py +93,Knowledge Base,قاعدة المعرفة DocType: Workflow State,briefcase,حقيبة apps/frappe/frappe/model/base_document.py +561,Value cannot be changed for {0},لا يمكن تغيير القيمة ل {0} -apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.","يبدو أنك قد كتبت اسمك بدلا من البريد الإلكتروني الخاص بك. \ - الرجاء إدخال عنوان بريد إلكتروني صالح حتى نتمكن من الوصول اليك." DocType: Feedback Request,Is Manual,هو دليل DocType: Workflow State,"Style represents the button color: Success - Green, Danger - Red, Inverse - Black, Primary - Dark Blue, Info - Light Blue, Warning - Orange",النمط يمثل لون الزر: النجاح - الخضراء، خطر -، معكوس الأحمر - الأسود، الابتدائية - أزرق داكن، معلومات - أزرق فاتح، تحذير - أورانج apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +158,No Report Loaded. Please use query-report/[Report Name] to run a report.,أي تقرير المحملة. الرجاء استخدام استعلام تقرير / [اسم التقرير] لتشغيل التقرير. DocType: Workflow Transition,Workflow Transition,الانتقال سير العمل apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +53,{0} months ago,قبل {0} أشهر apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,منشئه بواسطه -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +92,Dropbox Setup,إعداد دروببوإكس +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +90,Dropbox Setup,إعداد دروببوإكس DocType: Workflow State,resize-horizontal,تغيير حجم الأفقي، DocType: Note,Content,محتوى apps/frappe/frappe/public/js/frappe/views/treeview.js +261,Group Node,عقدة المجموعة @@ -2359,6 +2367,7 @@ DocType: Communication,Notification,إعلام DocType: Web Form,Go to this url after completing the form.,.الذهاب إلى هذا الرابط بعد الانتهاء من النموذج DocType: DocType,Document,وثيقة apps/frappe/frappe/core/doctype/doctype/doctype.py +186,Series {0} already used in {1},الترقيم المتسلسل {0} مستخدم بالفعل في {1} +apps/frappe/frappe/core/page/data_import_tool/importer.py +225,Unsupported File Format,تنسيق ملف غير معتمد DocType: DocField,Code,رمز DocType: Workflow,"All possible Workflow States and roles of the workflow. Docstatus Options: 0 is""Saved"", 1 is ""Submitted"" and 2 is ""Cancelled""","جميع حالات سير العمل الممكنة وأدوار سير العمل. خيارات Docstatus: 0 هو ""محفوظ"" (1)، هو ""مقدم"" و 2 هو ""ألغي""" DocType: Website Theme,Footer Text Color,تذييل لون الخط @@ -2383,17 +2392,17 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +45,just now,الآن ف DocType: Footer Item,Policy,سياسة apps/frappe/frappe/integrations/utils.py +76,{0} Settings not found,{0} إعدادات لم يتم العثور DocType: Module Def,Module Def,تعريف وحدة برمجية -apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,Done,تم apps/frappe/frappe/core/doctype/communication/communication.js +61,Reply,رد apps/frappe/frappe/config/core.py +22,Pages in Desk (place holders),الصفحات في مكتب (أصحاب مكان) DocType: DocField,Collapsible Depends On,الضم يعتمد على DocType: Print Settings,Allow page break inside tables,تسمح فاصل صفحات داخل الجداول DocType: Email Account,SMTP Server,SMTP خادم DocType: Print Format,Print Format Help,تنسيق الطباعة مساعدة +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +63,Update the template and save in downloaded format before attaching.,قم بتحديث النموذج وحفظه بتنسيق تم تنزيله قبل إرفاقه. apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +852,With Groups,مع المجموعات DocType: DocType,Beta,بيتا apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +22,restored {0} as {1},استعادة {0} ك {1} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","إذا كنت تقوم بتحديث، يرجى تحديد ""الكتابة"" لن يتم حذف الصفوف الموجودة آخر." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +71,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","إذا كنت تقوم بتحديث، يرجى تحديد ""الكتابة"" لن يتم حذف الصفوف الموجودة آخر." DocType: Event,Every Month,كل شهر DocType: Letter Head,Letter Head in HTML,ترئيس الرسالة كصيغة HTML DocType: Web Form,Web Form,نموذج ويب @@ -2416,14 +2425,14 @@ apps/frappe/frappe/public/js/frappe/socketio_client.js +51,Progress,تقدم apps/frappe/frappe/public/js/frappe/form/workflow.js +32, by Role ,حسب الصلاحية apps/frappe/frappe/public/js/frappe/form/save.js +148,Missing Fields,الحقول في عداد المفقودين apps/frappe/frappe/core/doctype/doctype/doctype.py +176,Invalid fieldname '{0}' in autoname,FIELDNAME غير صالح '{0}' في autoname -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Search in a document type,بحث في نوع الوثيقة -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +257,Allow field to remain editable even after submission,السماح للحقل بان يبقى قابل للتعديل حتى بعد الارسال +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,Search in a document type,بحث في نوع الوثيقة +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +258,Allow field to remain editable even after submission,السماح للحقل بان يبقى قابل للتعديل حتى بعد الارسال DocType: Custom DocPerm,Role and Level,دور و المستوى DocType: File,Thumbnail URL,URL المصغرة apps/frappe/frappe/desk/moduleview.py +37,Custom Reports,تقارير مخصصة DocType: Website Script,Website Script,نص الموقع البرمجي apps/frappe/frappe/config/setup.py +182,Customized HTML Templates for printing transactions.,قوالب HTML مخصصة لطباعة المعاملات -apps/frappe/frappe/public/js/frappe/form/print.js +247,Orientation,توجيه +apps/frappe/frappe/public/js/frappe/form/print.js +250,Orientation,توجيه DocType: Workflow,Is Active,نشط apps/frappe/frappe/desk/form/utils.py +91,No further records,لا توجد سجلات أخرى DocType: DocField,Long Text,نص طويل @@ -2447,7 +2456,6 @@ apps/frappe/frappe/templates/includes/contact.js +30,Thank you for your message, apps/frappe/frappe/public/js/frappe/views/communication.js +68,Send Read Receipt,إرسال مقروءة إيصال DocType: Stripe Settings,Stripe Settings,إعدادات الشريط DocType: Dropbox Settings,Dropbox Setup via Site Config,إعداد دروببوإكس عن طريق التكوين الموقع -apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,لم يتم العثور على قالب عنوان افتراضي. الرجاء إنشاء ملف جديد من الإعداد> الطباعة والعلامة التجارية> نموذج العنوان. apps/frappe/frappe/www/login.py +64,Invalid Login Token,صالح رمز الدخول apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +48,1 hour ago,منذ 1 ساعة DocType: Social Login Keys,Frappe Client ID,فرابي معرف العميل @@ -2479,11 +2487,11 @@ DocType: Address Template,"

    Default Template

    {٪ إذا٪ email_id} البريد الإلكتروني: {{email_id}} العلامة & lt؛ BR & GT ؛ {٪ ENDIF -٪} " DocType: Role,Role Name,دور الاسم -apps/frappe/frappe/website/js/website.js +379,Switch To Desk,التبديل إلى مكتب +apps/frappe/frappe/website/js/website.js +376,Switch To Desk,التبديل إلى مكتب apps/frappe/frappe/config/core.py +27,Script or Query reports,تقارير النصي أو سؤال DocType: Workflow Document State,Workflow Document State,سير العمل الوثيقة الدولة apps/frappe/frappe/public/js/frappe/request.js +115,File too big,الملف كبير جدا -apps/frappe/frappe/core/doctype/user/user.py +478,Email Account added multiple times,وأضاف حساب البريد الإلكتروني عدة مرات +apps/frappe/frappe/core/doctype/user/user.py +478,Email Account added multiple times,حساب البريد الألكتروني اضيف مرات كثيرة DocType: Payment Gateway,Payment Gateway,بوابة الدفع apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +32,"To give acess to a role for only specific records, check the Apply User Permissions. User Permissions are used to limit users with such role to specific records.",لإعطاء رصا إلى دور للسجلات معينة فقط، والتحقق من تطبيق ضوابط العضو. وتستخدم ضوابط المستخدم للحد من المستخدمين مع هذا الدور لسجلات محددة. DocType: Portal Settings,Hide Standard Menu,إخفاء القائمة القياسية @@ -2493,14 +2501,14 @@ apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel befor apps/frappe/frappe/www/printview.py +205,Print Format {0} is disabled,تنسيق الطباعة {0} تم تعطيل DocType: Email Alert,Send days before or after the reference date,إرسال أيام قبل أو بعد التاريخ المرجعي DocType: User,Allow user to login only after this hour (0-24),تسمح للمستخدم لتسجيل الدخول فقط بعد هذه الساعة (0-24) -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Value,قيمة -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +166,Click here to verify,انقر هنا للتأكيد -apps/frappe/frappe/utils/password_strength.py +172,Predictable substitutions like '@' instead of 'a' don't help very much.,بدائل يمكن التنبؤ بها مثل '@' بدلا من '' لا يساعد كثيرا جدا. +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Value,قيمة +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +165,Click here to verify,انقر هنا للتأكيد +apps/frappe/frappe/utils/password_strength.py +174,Predictable substitutions like '@' instead of 'a' don't help very much.,بدائل يمكن التنبؤ بها مثل '@' بدلا من '' لا يساعد كثيرا جدا. apps/frappe/frappe/desk/doctype/todo/todo_list.js +22,Assigned By Me,يسندها عني apps/frappe/frappe/core/doctype/doctype/doctype.py +80,Not in Developer Mode! Set in site_config.json or make 'Custom' DocType.,"ليس في وضع المطور! يقع في site_config.json أو جعل DOCTYPE ""مخصص""." DocType: Workflow State,globe,العالم DocType: System Settings,dd.mm.yyyy,dd.mm.yyyy -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +249,Hide field in Standard Print Format,إخفاء الحقل في تنسيق الطباعة القياسي +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +250,Hide field in Standard Print Format,إخفاء الحقل في تنسيق الطباعة القياسي DocType: ToDo,Priority,أفضلية DocType: Email Queue,Unsubscribe Param,إلغاء الاشتراك بارام DocType: Auto Email Report,Weekly,الأسبوعية @@ -2509,14 +2517,14 @@ DocType: DocType,Allow Import (via Data Import Tool),السماح استيراد apps/frappe/frappe/templates/print_formats/standard_macros.html +30,Sr,ريال سعودى DocType: DocField,Float,رقم عشري apps/frappe/frappe/www/update-password.html +71,Invalid Password,رمز مرور خاطئ -DocType: Contact,Purchase Master Manager,مدير رئيس الشراء +DocType: Contact,Purchase Master Manager,المدير الرئيسي للشراء DocType: Module Def,Module Name,اسم وحدة DocType: DocType,DocType is a Table / Form in the application.,DOCTYPE هو الجدول / نموذج في التطبيق. DocType: Email Account,GMail,بريد جوجل -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,{0} Report,{0} تقرير +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +111,{0} Report,{0} تقرير DocType: Communication,SMS,رسالة قصيرة DocType: DocType,Web View,عرض ويب -apps/frappe/frappe/public/js/frappe/form/print.js +166,Warning: This Print Format is in old style and cannot be generated via the API.,تحذير: هذا تنسيق الطباعة في النمط القديم، ولا يمكن أن تتولد عن طريق API. +apps/frappe/frappe/public/js/frappe/form/print.js +169,Warning: This Print Format is in old style and cannot be generated via the API.,تحذير: هذا تنسيق الطباعة في النمط القديم، ولا يمكن أن تتولد عن طريق API. DocType: DocField,Print Width,طباعة العرض ,Setup Wizard,معالج الإعدادات DocType: User,Allow user to login only before this hour (0-24),تسمح للمستخدم لتسجيل الدخول فقط قبل هذه الساعة (0-24) @@ -2548,14 +2556,14 @@ apps/frappe/frappe/utils/csvutils.py +35,Invalid CSV Format,تنسيق CSV غي DocType: Address,Name of person or organization that this address belongs to.,اسم الشخص أو المنظمة التي ينتمي إلى هذا العنوان. apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,تعيين عدد من النسخ الاحتياطية DocType: DocField,Do not allow user to change after set the first time,لا تسمح للمستخدم لتغيير بعد تعيين أول مرة -apps/frappe/frappe/public/js/frappe/upload.js +247,Private or Public?,الخاصة أو العامة؟ -apps/frappe/frappe/utils/data.py +535,1 year ago,منذ سنة +apps/frappe/frappe/public/js/frappe/upload.js +251,Private or Public?,الخاصة أو العامة؟ +apps/frappe/frappe/utils/data.py +536,1 year ago,منذ سنة DocType: Contact,Contact,اتصل DocType: User,Third Party Authentication,مصادقة طرف ثالث DocType: Website Settings,Banner is above the Top Menu Bar.,راية فوق أعلى شريط القوائم. DocType: Razorpay Settings,API Secret,API السرية -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +726,Export Report: ,تقرير التصدير: -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +672,{0} {1} does not exist,{0} {1} غير موجود +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +853,Export Report: ,تقرير التصدير: +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +674,{0} {1} does not exist,{0} {1} غير موجود DocType: Email Account,Port,ميناء DocType: Print Format,Arial,Arial apps/frappe/frappe/config/core.py +12,Models (building blocks) of the Application,نماذج (اللبنات) من التطبيق @@ -2587,9 +2595,9 @@ DocType: DocField,Display Depends On,العرض يعتمد على DocType: Web Page,Insert Code,إدراج كود DocType: ToDo,Low,منخفض apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +697,You can add dynamic properties from the document by using Jinja templating.,يمكنك إضافة خصائص ديناميكية من المستند باستخدام Jinja templating . -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,List a document type,قائمة نوع مستند +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,List a document type,قائمة نوع مستند DocType: Event,Ref Type,المرجع نوع -apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,"If you are uploading new records, leave the ""name"" (ID) column blank.","إذا كنت تحميل سجلات جديدة، وترك ""اسم"" (ID) العمود فارغا." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, leave the ""name"" (ID) column blank.","إذا كنت تحميل سجلات جديدة، وترك ""اسم"" (ID) العمود فارغا." apps/frappe/frappe/config/core.py +47,Errors in Background Events,أخطاء في خلفية الأحداث apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +399,No of Columns,عدد الأعمدة DocType: Workflow State,Calendar,تقويم @@ -2604,7 +2612,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +106,Unable to load: {0},غي apps/frappe/frappe/config/integrations.py +28,Backup,دعم apps/frappe/frappe/core/page/usage_info/usage_info.html +3,Expires in {0} days,ينتهي في {0} أيام DocType: DocField,Read Only,للقراءة فقط -apps/frappe/frappe/email/doctype/email_group/email_group.js +43,New Newsletter,النشرة الإخبارية جديدة +apps/frappe/frappe/email/doctype/email_group/email_group.js +45,New Newsletter,النشرة الإخبارية جديدة DocType: Print Settings,Send Print as PDF,PDF إرسال طباعة بصيغة DocType: Web Form,Amount,كمية DocType: Workflow Transition,Allowed,سمح @@ -2618,14 +2626,14 @@ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filt apps/frappe/frappe/core/doctype/doctype/doctype.py +654,{0}: Permission at level 0 must be set before higher levels are set,{0} : صلاحيات على مستوى 0 يجب تحديده قبل أن يتم تحديد صلاحيات أعلى apps/frappe/frappe/desk/doctype/todo/todo.py +28,Assignment closed by {0},احالة مغلقة من قبل {0} DocType: Integration Request,Remote,عن بعد -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +140,Calculate,إحسب +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Calculate,إحسب apps/frappe/frappe/printing/doctype/print_format/print_format.js +28,Please select DocType first,يرجى تحديد DOCTYPE أولا -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +174,Confirm Your Email,تأكيد البريد الإلكتروني الخاص بك -apps/frappe/frappe/www/login.html +37,Or login with,أو الدخول مع +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +173,Confirm Your Email,تأكيد البريد الإلكتروني الخاص بك +apps/frappe/frappe/www/login.html +42,Or login with,أو الدخول مع DocType: Error Snapshot,Locals,السكان المحليين apps/frappe/frappe/desk/page/activity/activity_row.html +19,Communicated via {0} on {1}: {2},ترسل عن طريق {0} على {1}: {2} apps/frappe/frappe/core/doctype/communication/comment.py +85,{0} mentioned you in a comment in {1},{0} المذكور لكم في تعليق في {1} -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,على سبيل المثال (55 + 434) / 4 = أو الرياضيات.خطيئة (Math.PI / 2) ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,على سبيل المثال (55 + 434) / 4 = أو الرياضيات.خطيئة (Math.PI / 2) ... apps/frappe/frappe/model/naming.py +45,{0} is required,{0} مطلوب DocType: Integration Request,Integration Type,نوع التكامل DocType: Newsletter,Send Attachements,إرسال المرفقات @@ -2635,12 +2643,13 @@ DocType: DocField,Perm Level,بيرم المستوى apps/frappe/frappe/desk/doctype/event/event.py +54,Events In Today's Calendar,الأحداث في التقويم اليوم DocType: Web Page,Web Page,صفحة على الإنترنت DocType: Blog Category,Blogger,مدون -apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},"في البحث العالمي" غير مسموح للنوع {0} في الصف {1} +apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},"""في البحث العام"" غير مسموح للنوع {0} في الصف {1}" apps/frappe/frappe/public/js/frappe/views/treeview.js +297,View List,عرض القائمة -apps/frappe/frappe/public/js/frappe/form/control.js +685,Date must be in format: {0},يجب أن تكون الآن في شكل : {0} +apps/frappe/frappe/public/js/frappe/form/control.js +686,Date must be in format: {0},يجب أن تكون الآن في شكل : {0} DocType: Workflow,Don't Override Status,لا تجاوز الحالة apps/frappe/frappe/www/feedback.html +90,Please give a rating.,يرجى إعطاء تقدير. -apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} مراجعة الطلب +apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} رد الطلب +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +26,Search term,مصطلح البحث apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +548,The First User: You,المستخدم الأول : أنت apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +32,Select Columns,تحديد الأعمدة DocType: Translation,Source Text,النص المصدر @@ -2652,15 +2661,15 @@ apps/frappe/frappe/config/website.py +37,Single Post (article).,مشاركة و apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +10,Reports,تقارير DocType: Page,No,لا DocType: Property Setter,Set Value,تعيين القيمة -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +245,Hide field in form,إخفاء الحقل في النموذج -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +93,Illegal Access Token. Please try again,وصول رمز غير قانوني. حاول مرة اخرى +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +246,Hide field in form,إخفاء الحقل في النموذج +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +91,Illegal Access Token. Please try again,وصول رمز غير قانوني. حاول مرة اخرى apps/frappe/frappe/public/js/frappe/desk.js +93,"The application has been updated to a new version, please refresh this page",تم تحديث التطبيق إلى الإصدار الجديد، يرجى تحديث هذه الصفحة apps/frappe/frappe/core/doctype/communication/communication.js +35,Resend,إعادة إرسال DocType: Feedback Trigger,Optional: The alert will be sent if this expression is true,اختياري: سيتم إرسال التنبية إذا كان هذا التعبير صحيح DocType: Print Settings,Print with letterhead,طباعة مع ترويسة DocType: Unhandled Email,Raw Email,البريد الإلكتروني الخام apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,اختر سجلات التعيين -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +135,Importing,استيراد +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +138,Importing,استيراد DocType: ToDo,Assigned By,تعيين بواسطة apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +27,You can use Customize Form to set levels on fields.,يمكنك استخدام نموذج مخصص (Customize Form ) لتحديد المستويات على الحقول . DocType: Custom DocPerm,Level,مستوى @@ -2692,7 +2701,7 @@ apps/frappe/frappe/core/doctype/user/user.py +229,Password Reset,إعادة تع DocType: Communication,Opened,افتتح DocType: Workflow State,chevron-left,شيفرون يسار DocType: Communication,Sending,إرسال -apps/frappe/frappe/auth.py +228,Not allowed from this IP Address,لا يسمح من هذا العنوان IP +apps/frappe/frappe/auth.py +231,Not allowed from this IP Address,لا يسمح من هذا العنوان IP DocType: Website Slideshow,This goes above the slideshow.,هذا يذهب فوق عرض الشرائح. apps/frappe/frappe/config/setup.py +254,Install Applications.,تثبيت التطبيقات . DocType: User,Last Name,اسم العائلة @@ -2707,7 +2716,6 @@ DocType: Address,State,دولة DocType: Workflow Action,Workflow Action,أجراء سير العمل DocType: DocType,"Image Field (Must of type ""Attach Image"")",صورة الميدان (يجب من نوع "إرفاق صورة") apps/frappe/frappe/utils/bot.py +43,I found these: ,لقد وجدت هذه: -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +692,Set Sort,تعيين ترتيب DocType: Event,Send an email reminder in the morning,إرسال رسالة تذكير في الصباح DocType: Blog Post,Published On,نشرت في DocType: User,Gender,جنس @@ -2725,13 +2733,15 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +30 DocType: Workflow State,warning-sign,علامة إنذار DocType: Workflow State,User,مستخدم DocType: Website Settings,"Show title in browser window as ""Prefix - title""","اظهار العنوان في نافذة المتصفح كما ""بادئة - عنوان""" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,text in document type,النص في نوع الوثيقة +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,text in document type,النص في نوع الوثيقة apps/frappe/frappe/handler.py +91,Logged Out,تسجيل الخروج -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +236,More...,أكثر من... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +237,More...,أكثر من... +DocType: System Settings,User can login using Email id or Mobile number,يمكن للمستخدم تسجيل الدخول باستخدام معرف البريد الإلكتروني أو رقم الجوال DocType: Bulk Update,Update Value,تحديث القيمة apps/frappe/frappe/core/doctype/communication/communication.js +73,Mark as {0},إجعلها {0} apps/frappe/frappe/model/rename_doc.py +25,Please select a new name to rename,يرجى تحديد اسم جديد لإعادة التسمية apps/frappe/frappe/public/js/frappe/request.js +136,Something went wrong,حدث خطأ ما +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +186,Only {0} entries shown. Please filter for more specific results.,تم عرض الإدخالات {0} فقط. يرجى التصفية للحصول على نتائج أكثر تحديدا. DocType: System Settings,Number Format,عدد تنسيق DocType: Auto Email Report,Frequency,تردد DocType: Custom Field,Insert After,إدراج بعد @@ -2746,8 +2756,9 @@ DocType: Workflow State,cog,تحكم في apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +89,Sync on Migrate,المزامنة على ترحيل apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +64,Currently Viewing,يطلع عليها حاليا DocType: DocField,Default,الافتراضي -apps/frappe/frappe/public/js/frappe/form/link_selector.js +140,{0} added,{0} أضيف -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +133,Please save the report first,يرجى حفظ التقرير الأول +apps/frappe/frappe/public/js/frappe/form/link_selector.js +143,{0} added,{0} أضيف +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +209,Search for '{0}',البحث عن '{0}' +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +134,Please save the report first,يرجى حفظ التقرير الأول apps/frappe/frappe/email/doctype/email_group/email_group.py +42,{0} subscribers added,{0} مشتركين تم اضافتهم apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +9,Not In,ليس في DocType: Workflow State,star,نجم @@ -2766,7 +2777,7 @@ DocType: Address,Office,مكتب apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,وهذا المجلس كانبان يكون القطاع الخاص apps/frappe/frappe/desk/moduleview.py +73,Standard Reports,تقارير قياسية DocType: User,Email Settings,إعدادات البريد الإلكتروني -apps/frappe/frappe/public/js/frappe/desk.js +345,Please Enter Your Password to Continue,يرجى إدخال كلمة المرور للمتابعة +apps/frappe/frappe/public/js/frappe/desk.js +347,Please Enter Your Password to Continue,يرجى إدخال كلمة المرور للمتابعة apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +99,Not a valid LDAP user,لا أحد المستخدمين LDAP صحيح apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} ليست حالة صالحة apps/frappe/frappe/integrations/doctype/paypal_settings/paypal_settings.py +90,Please select another payment method. PayPal does not support transactions in currency '{0}',يرجى تحديد طريقة دفع أخرى. باي بال لا تدعم المعاملات بالعملة '{0}' @@ -2787,7 +2798,7 @@ DocType: DocField,Unique,فريد من نوعه apps/frappe/frappe/public/js/frappe/form/quick_entry.js +97,Ctrl+enter to save,السيطرة + دخول لإنقاذ DocType: Email Account,Service,خدمة DocType: File,File Name,اسم الملف -apps/frappe/frappe/core/page/data_import_tool/importer.py +349,Did not find {0} for {0} ({1}),لم تجد {0} ل {0} ( {1} ) +apps/frappe/frappe/core/page/data_import_tool/importer.py +365,Did not find {0} for {0} ({1}),لم تجد {0} ل {0} ( {1} ) apps/frappe/frappe/utils/bot.py +176,"Oops, you are not allowed to know that",عفوا، لا يسمح لك أن تعرف أن apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +17,Next,التالي apps/frappe/frappe/config/setup.py +39,Set Permissions per User,مجموعة ضوابط لكل مستخدم @@ -2796,9 +2807,9 @@ apps/frappe/frappe/printing/doctype/print_format/print_format.js +26,Edit Format apps/frappe/frappe/core/doctype/user/user.py +245,Complete Registration,التسجيل الكامل apps/frappe/frappe/public/js/frappe/form/toolbar.js +189,New {0} (Ctrl+B),{0} جديد (Ctrl+B) apps/frappe/frappe/website/doctype/website_theme/website_theme.py +40,Top Bar Color and Text Color are the same. They should be have good contrast to be readable.,أعلى بار اللون ولون الخط هي نفسها. وينبغي أن يكون على النقيض من الجيد أن تكون قابلة للقراءة. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,You can only upload upto 5000 records in one go. (may be less in some cases),يمكنك تحميل فقط حتى 5000 دفعة واحدة. (قد يكون أقل في بعض الحالات) +apps/frappe/frappe/core/page/data_import_tool/exporter.py +68,You can only upload upto 5000 records in one go. (may be less in some cases),يمكنك تحميل فقط حتى 5000 دفعة واحدة. (قد يكون أقل في بعض الحالات) apps/frappe/frappe/model/document.py +159,Insufficient Permission for {0},عدم كفاية الإذن {0} -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +763,Report was not saved (there were errors),لم يتم حفظ التقرير (كانت هناك أخطاء) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +764,Report was not saved (there were errors),لم يتم حفظ التقرير (كانت هناك أخطاء) apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +25,Numerically Ascending,تصاعدي عدديا DocType: Print Settings,Print Style,الطباعة ستايل apps/frappe/frappe/public/js/frappe/form/linked_with.js +51,Not Linked to any record,غير مرتبط بأي سجل @@ -2811,7 +2822,7 @@ apps/frappe/frappe/public/js/frappe/change_log.html +7,updated to {0},تحديث DocType: User,Desktop Background,خلفية سطح المكتب DocType: Portal Settings,Custom Menu Items,قائمة مخصصة عناصر DocType: Workflow State,chevron-right,شيفرون اليمين -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +214,"Change type of field. (Currently, Type change is \ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +215,"Change type of field. (Currently, Type change is \ allowed among 'Currency and Float')","تغيير نوع الحقل. (في الوقت الراهن، لا يسمح نوع التغيير \ بين عملة وتعويم ')" apps/frappe/frappe/website/doctype/web_form/web_form.py +35,You need to be in developer mode to edit a Standard Web Form,عليك أن تكون في وضع المطور لتعديل نموذج ويب قياسي @@ -2824,12 +2835,13 @@ DocType: Web Page,Header and Description,رأس والوصف apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,كل من تسجيل الدخول وكلمة المرور المطلوبة apps/frappe/frappe/model/document.py +540,Please refresh to get the latest document.,يرجى تحديث للحصول على أحدث وثيقة. DocType: User,Security Settings,إعدادات الأمان -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +855,Add Column,إضافة عمود +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +856,Add Column,إضافة عمود ,Desktop,سطح المكتب +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +727,Export Report: {0},تصدير التقرير: {0} DocType: Auto Email Report,Filter Meta,تصفية ميتا DocType: Web Form,Text to be displayed for Link to Web Page if this form has a web page. Link route will be automatically generated based on `page_name` and `parent_website_route`,النص ليتم عرضها لرابط صفحة الانترنت إذا هذا النموذج لديه صفحة على شبكة الإنترنت. الطريق للرابط سيتم تكوينه تلقائيا على أساس `` page_name` وparent_website_route` DocType: Feedback Request,Feedback Trigger,ردود الفعل الزناد -apps/frappe/frappe/public/js/frappe/form/control.js +1594,Please set {0} first,الرجاء تعيين {0} الأولى +apps/frappe/frappe/public/js/frappe/form/control.js +1595,Please set {0} first,الرجاء تعيين {0} الأولى DocType: Unhandled Email,Message-id,معرف الرسالة DocType: Patch Log,Patch,بقعة DocType: Async Task,Failed,باءت بالفشل diff --git a/frappe/translations/bg.csv b/frappe/translations/bg.csv index 889bd10898..58d66bef3e 100644 --- a/frappe/translations/bg.csv +++ b/frappe/translations/bg.csv @@ -1,5 +1,5 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,"Моля, изберете сума Невярно." -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,"Натиснете Esc, за да затворите" +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,"Натиснете Esc, за да затворите" apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}","Нова задача, {0}, е определена за Вас от {1}. {2}" DocType: Email Queue,Email Queue records.,Email Queue записи. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,Пост @@ -48,7 +48,7 @@ apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}","{0}, Ред {1}" apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,"Моля, дайте пълно име." apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,Грешка при качване на файлове. apps/frappe/frappe/model/document.py +908,Beginning with,Започващи с -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,Шаблон за импорт на данни +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,Шаблон за импорт на данни apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,Родител DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.","Ако е разрешено, силата на паролата ще бъде наложена въз основа на стойността на минималния парола. Стойност 2 е средно силна и 4 е много силна." DocType: About Us Settings,"""Team Members"" or ""Management""","""Членове на екип"" или ""Управление""" @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,Test Ru DocType: Auto Email Report,Monthly,Месечно DocType: Email Account,Enable Incoming,Активиране Incoming apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,Опасност -apps/frappe/frappe/www/login.html +19,Email Address,Имейл Адрес +apps/frappe/frappe/www/login.html +22,Email Address,Имейл Адрес DocType: Workflow State,th-large,TH-голяма DocType: Communication,Unread Notification Sent,Непрочетена изпратеното apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,Износът не оставя. Трябва {0} роля за износ. DocType: DocType,Is Published Field,Е публикувано поле DocType: Email Group,Email Group,Email Group DocType: Note,Seen By,Видяно от -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,Не като -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,Определете етикета на дисплея за областта +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,Не като +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,Определете етикета на дисплея за областта apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},Неправилна стойност: {0} трябва да е {1} {2} apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)","Промени свойства на поле (скрий, само за четене, разрешение и т.н.)" apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,Определете Frappe Сървър URL в социални Вход Keys @@ -76,8 +76,8 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,"Наст apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,Администратора е логнат DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.","Опции за контакти, като "Продажби Query, Support Query" и т.н., всеки на нов ред или разделени със запетаи." apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. Изтегляне -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,Insert -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},Изберете {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,Insert +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},Изберете {0} DocType: Print Settings,Classic,Класически DocType: Desktop Icon,Color,Цвят apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,За диапазони @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,LDAP стринг за търсене DocType: Translation,Translation,превод apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,Инсталирай DocType: Custom Script,Client,Клиент -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,"Тази форма е била променена, след като сте я заредили" +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,"Тази форма е била променена, след като сте я заредили" DocType: User Permission for Page and Report,User Permission for Page and Report,Потребителят Разрешение за Пейдж и доклад DocType: System Settings,"If not set, the currency precision will depend on number format","Ако не е зададена, точната валута ще зависи от формата на числата" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',Търсене на ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,Код за добавяне слайдшоу с изображения в интернет страници. -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,Изпращам +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,Изпращам DocType: Workflow Action,Workflow Action Name,Име Action Workflow apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,DocType не могат да бъдат слети DocType: Web Form Field,Fieldtype,Fieldtype apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,Не е компресиран (zip) файл +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} преди години apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}","Задължителните полета, изисквани в таблица {0}, ред {1}" -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,Капитализация не помага много. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,Капитализация не помага много. DocType: Error Snapshot,Friendly Title,Friendly Title DocType: Newsletter,Email Sent?,Email изпратени? DocType: Authentication Log,Authentication Log,Authentication Вход @@ -138,7 +138,7 @@ DocType: OAuth Bearer Token,Refresh Token,Обновяване Token apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,Ти DocType: Website Theme,lowercase,с малки букви DocType: Print Format,Helvetica,Helvetica -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,Бютелин с новини вече е бил изпратен +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,Бютелин с новини вече е бил изпратен DocType: Unhandled Email,Reason,Причина apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,"Моля, посочете потребителското име" DocType: Email Unsubscribe,Email Unsubscribe,Email Отписване @@ -147,30 +147,30 @@ apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multip apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,Първият потребителят ще стане мениджър System (можете да промените това по-късно). ,App Installer,App Installer DocType: Workflow State,circle-arrow-up,Стрелка в кръг-нагоре -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,Качва се ... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,Качва се ... DocType: Email Domain,Email Domain,Email домейн DocType: Workflow State,italic,курсивен apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,За всички apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,{0}: Не можете да зададете Внос без Създаване apps/frappe/frappe/config/desk.py +26,Event and other calendars.,Събития и други календари. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,"Плъзнете, за да сортирате колоните" +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,"Плъзнете, за да сортирате колоните" apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,Widths могат да се задават в PX или%. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,Начало +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,Начало DocType: User,First Name,Име DocType: LDAP Settings,LDAP Username Field,LDAP потребителско име - Поле DocType: Portal Settings,Standard Sidebar Menu,Standard Sidebar Menu apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,Не може да изтриете папки Основна и Прикачени файлове apps/frappe/frappe/config/desk.py +19,Files,файлове apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,"Разрешения се прилагат на потребителите въз основа на това, което Ролите са разпределени." -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,"Вие нямате право да изпращате имейли, свързани с този документ" +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,"Вие нямате право да изпращате имейли, свързани с този документ" apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,"Моля, изберете поне една колона от {0} за сортиране / групиране" DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,"Маркирай това, ако ще тествате плащането с помощта на API Sandbox (тестова)" apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,Не е позволено да изтривате стандартна тема на уебсайт DocType: Feedback Trigger,Example,Пример DocType: Workflow State,gift,подарък -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Необходим +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Необходим apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},Не може да се намери закрепване {0} -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,Присвояване на ниво на разрешение за полето. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,Присвояване на ниво на разрешение за полето. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,Не можете да премахнете apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,"Ресурсът, който търсите не е наличен" apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,Покажи / скрий модули @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,Показ DocType: Email Group,Total Subscribers,Общо Абонати apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.","Ако роля няма достъп на ниво 0, то по-високи нива са безсмислени." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,Запази като +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,Запази като DocType: Communication,Seen,Видян -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,Покажи още детайли +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,Покажи още детайли DocType: System Settings,Run scheduled jobs only if checked,"Стартирай редовни работни места, само ако се проверява" apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,Ще се показва само ако са разрешени заглавия на раздели apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,Архив @@ -240,7 +240,7 @@ apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,Не DocType: Web Form,Button Help,Бутон Помощ DocType: Kanban Board Column,purple,лилаво DocType: About Us Settings,Team Members,Членове на екипа -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,"Моля, прикачете файл или да задайте URL" +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,"Моля, прикачете файл или да задайте URL" DocType: Async Task,System Manager,Мениджър на система DocType: Custom DocPerm,Permissions,Права за достъп DocType: Dropbox Settings,Allow Dropbox Access,Оставя Dropbox Access @@ -263,7 +263,7 @@ apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,Прикач DocType: Block Module,Block Module,Блок Модул apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,Шаблон за експорт apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,Нова стойност -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,Няма разрешение за редактиране +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,Няма разрешение за редактиране apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,Добавяне на колона apps/frappe/frappe/www/contact.html +30,Your email address,Вашата електронна поща DocType: Desktop Icon,Module,Модул @@ -273,17 +273,17 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,Е таблица DocType: Email Account,Total number of emails to sync in initial sync process ,"Общ брой на имейли, за да се синхронизира в първоначалния процес синхронизиране" DocType: Website Settings,Set Banner from Image,Определете Banner от изображението -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,Глобално търсене +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,Глобално търсене DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},Нов акаунт е създаден за вас в {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,Инструкции по имейл -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),Въведете Email Получател (и) +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),Въведете Email Получател (и) DocType: Print Format,Verdana,Verdana DocType: Email Flag Queue,Email Flag Queue,Email Flag Queue apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,Не може да се идентифицира с отворен {0}. Опитайте нещо друго. apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +355,Your information has been submitted,Вашата информация е подадена apps/frappe/frappe/core/doctype/user/user.py +288,User {0} cannot be deleted,Потребителят {0} не може да бъде изтрит -DocType: System Settings,Currency Precision,Прецизна валута +DocType: System Settings,Currency Precision,Десетична точност на валута apps/frappe/frappe/public/js/frappe/request.js +112,Another transaction is blocking this one. Please try again in a few seconds.,"Друга сделка блокира тази. Моля, опитайте отново след няколко секунди." DocType: DocType,App,App DocType: Communication,Attachment,Привързаност @@ -291,13 +291,13 @@ DocType: Communication,Message ID,Съобщението ID DocType: Property Setter,Field Name,Наименование на полето apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,Няма резултати apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,или -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,Име на модул ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,Име на модул ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,Продължи DocType: Custom Field,Fieldname,Име на поле DocType: Workflow State,certificate,сертификат DocType: User,Tile,Плочка apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,Проверка на ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,Първата колона на данни трябва да е празна. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,Първата колона на данни трябва да е празна. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,Покажи всички версии DocType: Workflow State,Print,Печат DocType: User,Restrict IP,Ограничаване на IP @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,Мениджър на данни за пр apps/frappe/frappe/www/complete_signup.html +13,One Last Step,Една последна стъпка apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,Наименование на вида на документа (DocType) искате тази област да бъдат свързани с. напр Customer DocType: User,Roles Assigned,Зададени роли -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,Помощ за търсенето +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,Помощ за търсенето DocType: Top Bar Item,Parent Label,Родител Заглавие apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.","Заявката Ви е било получено. Ние ще ви отговорим върна скоро. Ако имате някаква допълнителна информация, моля, отговорете на този имейл." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,Permissions автоматично се преизчисляват в стандартни отчети и търсения. @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,Редактиране на Заглавие DocType: File,File URL,URL на файла DocType: Version,Table HTML,Таблица HTML -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,Добави Абонати +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,Добави Абонати apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,Предстоящи събития за днес DocType: Email Alert Recipient,Email By Document Field,Email от документ Невярно apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,Подобряване на apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},Не може да се свърже: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,Една дума само по себе си е лесно да се отгатне. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,Една дума само по себе си е лесно да се отгатне. apps/frappe/frappe/www/search.html +11,Search...,Търсене... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,Сливането е възможно само между Group към групата или Leaf Node-да-Leaf Node apps/frappe/frappe/utils/file_manager.py +43,Added {0},Добавен {0} apps/frappe/frappe/www/search.html +28,No matching records. Search something new,Няма съвпадащи записи. Търсене нещо ново DocType: Currency,Fraction Units,Фракции Units -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} от {1} до {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} от {1} до {2} DocType: Communication,Type,Тип +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,"Моля, настройте по подразбиране имейл акаунт от Setup> Email> Email Account" DocType: Authentication Log,Subject,Предмет DocType: Web Form,Amount Based On Field,Сума на база Невярно apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,Потребителят е задължително за споделяне @@ -349,10 +350,10 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0} тря apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.","Използвайте няколко думи, избягвайте общи фрази." DocType: Workflow State,plane,равнина apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,Ами сега. Плащането Ви се е провалило. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Ако качвате нови рекорди, "именуване Series" става задължителен, ако има такива." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Ако качвате нови рекорди, "именуване Series" става задължителен, ако има такива." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,Абонамент за сигнали за днес apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,DocType може да се преименува само от Administrator -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},променената стойност на {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},променената стойност на {0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,"Моля, проверете електронната си поща за проверка" apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,Fold не може да бъде в края на формата @@ -364,8 +365,9 @@ DocType: Auto Email Report,No of Rows (Max 500),Брои редове (макс DocType: Language,Language Code,Код на език apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...","Изтеглянето се строи, това може да отнеме няколко минути, за ..." apps/frappe/frappe/www/feedback.html +23,Your rating: ,Вашият рейтинг: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} и {1} +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} и {1} DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents",Винаги се добави "Проект" Функция за печат проекти на документи +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,Имейл бе маркиран като спам DocType: About Us Settings,Website Manager,Сайт на мениджъра apps/frappe/frappe/model/document.py +1048,Document Queued,Документ Чакащи DocType: Desktop Icon,List,Списък @@ -377,7 +379,7 @@ DocType: Print Settings,Send document web view link in email,Изпрати до apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,Вашата обратна връзка {0} е записана успешно apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,Предишен apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,Re: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} редове за {1} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} редове за {1} DocType: Currency,"Sub-currency. For e.g. ""Cent""","Под-валута. Например ""цент""" apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,Изберете качен файл DocType: Letter Head,Check this to make this the default letter head in all prints,"Маркирайте това, за да направите това заглавие на писмо по подразбиране за всички разпечатки" @@ -387,12 +389,11 @@ DocType: Desktop Icon,Link,Препратка apps/frappe/frappe/utils/file_manager.py +96,No file attached,Няма прикачени файлове DocType: Version,Version,Версия DocType: User,Fill Screen,Запълване на екрана -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Не може да се покаже този доклад дърво, поради липсващи данни. Най-вероятно, той се филтрира поради разрешения." -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. Изберете File -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,Редакция чрез качване -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer","вида документ ..., например на клиенти" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Не може да се покаже този доклад дърво, поради липсващи данни. Най-вероятно, той се филтрира поради разрешения." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. Изберете File +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,Редакция чрез качване +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer","вида документ ..., например на клиенти" apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,"Условие ""{0}"" е невалидно" -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Настройка> Мениджър на разрешенията на потребителите DocType: Workflow State,barcode,баркод apps/frappe/frappe/config/setup.py +226,Add your own translations,Добавете вашите собствени преводи DocType: Country,Country Name,Име на държавата @@ -411,9 +412,11 @@ DocType: Workflow State,exclamation-sign,удивителен знак- apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,Показване на Разрешения apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,Timeline поле трябва да бъде Link или Dynamic Link apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,Моля инсталирайте Dropbox Пайтън модул +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,Период от време apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,Гант apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},Стр. {0} от {1} DocType: About Us Settings,Introduce your company to the website visitor.,Въвеждане на компанията към уебсайт посетител. +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json","Ключът за шифроване е невалиден. Моля, проверете site_config.json" apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,Към DocType: Kanban Board Column,darkgrey,тъмно сив apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},Успешно: {0} до {1} @@ -442,13 +445,13 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,Още DocType: Contact,Sales Manager,Мениджър Продажби apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,Преименувай DocType: Print Format,Format Data,Форматирай данни -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,Харесай +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,Харесай DocType: Customize Form Field,Customize Form Field,Персонализирайте Фирма - Поле apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,Позволи на потребителя DocType: OAuth Client,Grant Type,Вид Grant apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,Проверете какви документи са достъпни за Потребител apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,използвайте % като маска -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?","Email на домейн не е конфигурирана за този профил, Създаване на един?" +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?","Email на домейн не е конфигурирана за този профил, Създаване на един?" DocType: User,Reset Password Key,Reset Password Key DocType: Email Account,Enable Auto Reply,Активирайте Auto Отговор apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,Не е видян @@ -463,13 +466,13 @@ DocType: DocType,Fields,Полета DocType: System Settings,Your organization name and address for the email footer.,Име и адрес на организацията ви за долното поле на електронни писма. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,Таблица - Родител apps/frappe/frappe/config/desktop.py +60,Developer,Разработчик -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,Създаден +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,Създаден apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} на ред {1} не може да има и двете URL и под-артикули apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,Root {0} не може да бъде изтрита apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,Все още няма коментари apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,И двете DocType и Име са задължителни apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,Не може да се промени docstatus от 1 на 0 -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,Направи резервно копие сега +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,Направи резервно копие сега apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,Добре дошъл apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,Инсталирани приложения DocType: Communication,Open,Отворено @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,От Пълно име apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},Вие нямате достъп до отчет: {0} DocType: User,Send Welcome Email,Изпрати имейл за добре дошли apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,"Качване на CSV файл, съдържащ всички потребителски разрешения в същия формат като Download." -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,Премахване на филтъра +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,Премахване на филтъра DocType: Address,Personal,Персонален apps/frappe/frappe/config/setup.py +113,Bulk Rename,Масово преименуване DocType: Email Queue,Show as cc,Покажи като куб.см. DocType: DocField,Heading,Заглавие DocType: Workflow State,resize-vertical,преоразмеряване-вертикална -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. Качи +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. Качи DocType: Contact Us Settings,Introductory information for the Contact Us Page,"Встъпителна информация за страница ""За контакти""" DocType: Web Page,CSS,CSS DocType: Workflow State,thumbs-down,неодобрение @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,В глобално търсене DocType: Workflow State,indent-left,ляво подравняване apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,"Рисковано е да изтриете този файл: {0}. Моля, обърнете се към вашия System Manager." DocType: Currency,Currency Name,Валута Име -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,Няма имейли +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,Няма имейли DocType: Report,Javascript,Javascript DocType: File,Content Hash,Content Hash DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,"Магазини за JSON на последния известен версии на различни инсталирани приложения. Той се използва, за да покаже бележки към изданието." @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',Потребителят "{0}" вече има ролята "{1}" apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,Качи и синхронизирай apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},Споделено с {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,Отписване +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,Отписване DocType: Communication,Reference Name,Референтен номер Име apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,Поддръжка по чат DocType: Error Snapshot,Exception,Изключение @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,Newsletter мениджъра apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,Вариант 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,Всички мнения apps/frappe/frappe/config/setup.py +89,Log of error during requests.,Журнал на грешки по време на заявки. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} е успешно добавен към Email група. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,"Направи файл (а), частен или обществен?" -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},Планирана да изпрати на {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} е успешно добавен към Email група. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,"Направи файл (а), частен или обществен?" +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},Планирана да изпрати на {0} DocType: Kanban Board Column,Indicator,индикатор DocType: DocShare,Everyone,Всички DocType: Workflow State,backward,назад @@ -583,11 +586,11 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,Посл apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,не е позволено. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,Вижте Абонати DocType: Website Theme,Background Color,Цвят На Фона -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,"Имаше грешки при изпращане на имейл. Моля, опитайте отново." +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,"Имаше грешки при изпращане на имейл. Моля, опитайте отново." DocType: Portal Settings,Portal Settings,Portal Settings DocType: Web Page,0 is highest,0 е най-висока apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,"Сигурни ли сте, че искате да се свържете отново тази комуникация да {0}?" -apps/frappe/frappe/www/login.html +99,Send Password,Изпрати парола +apps/frappe/frappe/www/login.html +104,Send Password,Изпрати парола apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,Приложения apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,Нямате права за достъп до този документ DocType: Language,Language Name,Език - Име @@ -595,28 +598,29 @@ DocType: Email Group Member,Email Group Member,Email Група държави DocType: Email Alert,Value Changed,Променената стойност apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},Дублиране име {0} {1} DocType: Web Form Field,Web Form Field,Web Form Поле -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,Скриване на поле в Report Builder +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,Скриване на поле в Report Builder apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,Редактиране на HTML -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,Възстановяване на първоначалния Permissions +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,Възстановяване на първоначалния Permissions DocType: Address,Shop,Магазин DocType: DocField,Button,Бутон +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,{0} вече е стандартният формат за печат за {1} doctype apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,Архивирани колони DocType: Email Account,Default Outgoing,Default Outgoing DocType: Workflow State,play,играя apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,"Кликнете върху линка по-долу, за да завършите регистрацията си и да зададете нова парола" -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,Не бяха добавени +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,Не бяха добавени apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,Не е зададен имейл DocType: Contact Us Settings,Contact Us Settings,"Настройки на ""Свържете се с нас""" -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,Търсене ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,Търсене ... DocType: Workflow State,text-width,текст-ширина apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,Максимална граница за този запис Attachment постигнато. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,Следните задължителни полета трябва да бъдат попълнени:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,Следните задължителни полета трябва да бъдат попълнени:
    DocType: Email Alert,View Properties (via Customize Form),Преглед на Properties (чрез Customize форма) DocType: Note Seen By,Note Seen By,Забележка видяна от apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,Опитайте се да използвате по-дълъг клавиатура модел с повече завои DocType: Feedback Trigger,Check Communication,Проверете Communication apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,Доклади Report Builder се управляват пряко от доклад строител. Нищо за правене. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,"Моля, потвърдете имейл адреса си" +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,"Моля, потвърдете имейл адреса си" apps/frappe/frappe/model/document.py +907,none of,никой от apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,Изпрати ми копие apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,Качване на потребителски достъпи @@ -624,7 +628,7 @@ DocType: Dropbox Settings,App Secret Key,App Secret Key apps/frappe/frappe/config/website.py +7,Web Site,Web Site apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,Маркирайте елементи ще бъдат показани на работния плот apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} не може да бъде зададен за Единични видове -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,Канбан Табло {0} не съществува. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,Канбан Табло {0} не съществува. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} в момента преглеждат този документ DocType: ToDo,Assigned By Full Name,Възложени от Пълно име apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0} актуализиран @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,Пре DocType: Email Account,Awaiting Password,Очаква парола DocType: Address,Address Line 1,Адрес Line 1 DocType: Custom DocPerm,Role,Роля -apps/frappe/frappe/utils/data.py +429,Cent,Цент -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,Ново имейл съобщение +apps/frappe/frappe/utils/data.py +430,Cent,Цент +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,Ново имейл съобщение apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).","Членки за работния процес (напр Проект, Одобрен, Отменен)." DocType: Print Settings,Allow Print for Draft,Оставя Print за Проект -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,Определете Количество +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,Определете Количество apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,"Изпратете този документ, за да потвърдите" DocType: User,Unsubscribed,Отписахте apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,Комплект потребителски роли за страница и доклад apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,Рейтинг: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,Не можете да намери UIDVALIDITY в отговор статус IMAP +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,Не можете да намери UIDVALIDITY в отговор статус IMAP ,Data Import Tool,Data Import Tool -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,"Качване на файлове. Моля, изчакайте няколко секунди." +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,"Качване на файлове. Моля, изчакайте няколко секунди." apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,Прикрепете вашата снимка apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,Row Стойности Changed DocType: Workflow State,Stop,Спри @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,Поле за търсене DocType: OAuth Bearer Token,OAuth Bearer Token,OAuth Носител Token apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,Няма избран документ DocType: Event,Event,Събитие -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:","На {0}, {1} написа:" +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:","На {0}, {1} написа:" apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,"Не можете да изтриете стандартно поле. Можете да го скрие, ако искате." DocType: Top Bar Item,For top bar,За горния бар apps/frappe/frappe/utils/bot.py +148,Could not identify {0},Не може да се идентифицира {0} @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,Property сетер apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,Изберете Потребител или DocType да започне. DocType: Web Form,Allow Print,Оставя Print apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,Не са инсталирани приложения -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,Маркирайте полето като задължително +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,Маркирайте полето като задължително DocType: Communication,Clicked,Кликнато apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},Няма разрешение за '{0}' {1} DocType: User,Google User ID,Google User ID @@ -727,7 +731,7 @@ DocType: Event,orange,оранжев apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,Номер {0} намерен apps/frappe/frappe/config/setup.py +236,Add custom forms.,Добавяне на персонализирани форми. apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} в {2} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,подадено този документ +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,подадено този документ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,Системата осигурява много предварително определени роли. Можете да добавяте нови роли за да зададете по-фини разрешения. DocType: Communication,CC,CC DocType: Address,Geo,Гео @@ -739,7 +743,8 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Sele apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,Активен apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,Поставете под DocType: Event,Blue,Син -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,"Всички персонализации ще бъдат премахнати. Моля, потвърдете." +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,"Всички персонализации ще бъдат премахнати. Моля, потвърдете." +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,Имейл адрес или мобилен номер DocType: Page,Page HTML,Страница HTML apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,азбучен ред Възходящо apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,Допълнителни възли могат да се създават само при тип възли "група" @@ -766,7 +771,7 @@ DocType: User,Represents a User in the system.,Представлява потр DocType: Communication,Label,Етикет apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","Задачата {0}, която сте задали за {1}, е била затворена." DocType: User,Modules Access,Модули за достъп -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,Моля затворете този прозорец +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,Моля затворете този прозорец DocType: Print Format,Print Format Type,Тип печат Format DocType: Newsletter,A Lead with this Email Address should exist,Потенциален клиент с този имейл адрес трябва да съществува apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,Приложенията с отворен код за уеб @@ -776,18 +781,18 @@ DocType: Role Permission for Page and Report,Allow Roles,Позволете Ро DocType: DocType,Hide Toolbar,Скриване на лентата с инструменти DocType: User,Last Active,Последна активност DocType: Email Account,SMTP Settings for outgoing emails,Настройки SMTP за изходящи имейли -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,Импортирането неуспешно +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,Импортирането неуспешно apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,Паролата ви беше актуализирана. Ето новата ви парола DocType: Email Account,Auto Reply Message,Auto Reply Message DocType: Feedback Trigger,Condition,Състояние -apps/frappe/frappe/utils/data.py +521,{0} hours ago,Преди {0} часа -apps/frappe/frappe/utils/data.py +531,1 month ago,преди 1 месец +apps/frappe/frappe/utils/data.py +522,{0} hours ago,Преди {0} часа +apps/frappe/frappe/utils/data.py +532,1 month ago,преди 1 месец DocType: Contact,User ID,User ID DocType: Communication,Sent,Изпратено DocType: File,Lft,Lft DocType: User,Simultaneous Sessions,Едновременни сесии DocType: OAuth Client,Client Credentials,Клиент на идентификационни данни -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,Отваряне на модул или инструмент +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,Отваряне на модул или инструмент DocType: Communication,Delivery Status,Статус на доставка DocType: Module Def,App Name,App име apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,Максимален размер на файла е позволено до {0} MB @@ -808,11 +813,11 @@ DocType: Address,Address Type,Вид Адрес apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,"Невалиден потребител или Support Password. Моля, поправи и опитайте отново." DocType: Email Account,Yahoo Mail,Yahoo Mail apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,Вашият абонамент изтича утре. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,Запазена! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,Запазена! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},Обновен {0}: {1} DocType: DocType,User Cannot Create,Потребителят не може да създаде apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,Папка {0} не съществува -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,достъп Dropbox е одобрен! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,достъп Dropbox е одобрен! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.","Те също така ще бъде зададена като приети стойности за тези връзки, ако само едно такова разрешение рекорд е определена." DocType: Customize Form,Enter Form Type,Въведете Форма Type apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,Не са маркирани записи. @@ -820,17 +825,16 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +4 DocType: User,Send Password Update Notification,Изпрати Актуализация Уведомление Password apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!","Разрешаването DocType, DocType. Бъди внимателен!" apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email","Индивидуално формати за печат, Email" -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,Актуализиран до нова версия +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,Актуализиран до нова версия DocType: Custom Field,Depends On,Зависи От DocType: Event,Green,Зелен DocType: Custom DocPerm,Additional Permissions,Допълнителни Права DocType: Email Account,Always use Account's Email Address as Sender,"Винаги използвайте профил на имейл адрес, както Sender" apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,Влез за да коментираш apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,Започнете да въвеждате данни под тази линия -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},променени стойности на {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},променени стойности на {0} DocType: Workflow State,retweet,retweet -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,"Актуализиране на шаблона и спести в CSV (Comma отделните стойности) формат, преди да включите." -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,Определете стойността на полето +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,Определете стойността на полето DocType: Report,Disabled,Неактивен DocType: Workflow State,eye-close,око-близо DocType: OAuth Provider Settings,OAuth Provider Settings,Настройки на OAuth доставчик @@ -844,9 +848,9 @@ DocType: Address,Is Your Company Address,Вашата компания Адре apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,Редакция на ред DocType: Workflow Action,Workflow Action Master,Workflow Action магистър DocType: Custom Field,Field Type,Тип поле -apps/frappe/frappe/utils/data.py +446,only.,само. +apps/frappe/frappe/utils/data.py +447,only.,само. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,"Избягвайте години, които са свързани с вас." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,Низходящо +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,Низходящо apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,"Невалиден Mail Server. Моля, поправи и опитайте отново." DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.","За връзки, въведете DOCTYPE като обхват. За Select, въведете списък от опции, всяка на нов ред." @@ -855,15 +859,14 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},Няма р apps/frappe/frappe/config/desktop.py +8,Tools,Инструменти apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,Избягва последните години. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,Множество кореноплодни възли не са позволени. -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,"Имейл акаунта не е настроен. Моля, създайте нов имейл адрес от настройката> имейл> имейл акаунт" DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.","Ако е активирано, потребителите ще бъдат уведомявани всеки път, когато влизат. Ако не е активирана, потребителите ще бъдат уведомени само веднъж." DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.","Ако е избрано, потребителите няма да виждат диалоговия прозорец Confirm Access." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,"Поле ID е необходимо да редактирате стойностите, като използвате доклад. Моля изберете полето ID използвайки Колона Picker" +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,"Поле ID е необходимо да редактирате стойностите, като използвате доклад. Моля изберете полето ID използвайки Колона Picker" apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,Коментари apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,Потвърждавам apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,Свиване на всички apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,Инсталирайте {0}? -apps/frappe/frappe/www/login.html +71,Forgot Password?,Забравена парола? +apps/frappe/frappe/www/login.html +76,Forgot Password?,Забравена парола? DocType: System Settings,yyyy-mm-dd,ГГГГ-ММ-ДД apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,Идентификатор apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,грешка в сървъра @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,Facebook User ID DocType: Workflow State,fast-forward,бързо напред DocType: Communication,Communication,Комуникации apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.","Маркирай колони, за да изберете, плъзнете, за да зададете подредба." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,Това е постоянното действие и не можете да отмените. Продължи? +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,Това е постоянното действие и не можете да отмените. Продължи? DocType: Event,Every Day,Всеки Ден DocType: LDAP Settings,Password for Base DN,Парола за Base DN apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,Поле на таблица @@ -914,14 +917,14 @@ DocType: Workflow State,align-justify,уеднаквят-оправдае DocType: User,Middle Name (Optional),Презиме (по избор) apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,Не е разрешен apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,Следните полета имат липсващи стойности: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,"Вие нямате достатъчно права, за да изпълните действието" -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,Няма резултати +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,"Вие нямате достатъчно права, за да изпълните действието" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,Няма резултати DocType: System Settings,Security,Сигурност -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,Планирана да изпрати на {0} получатели +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,Планирана да изпрати на {0} получатели apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},преименуван от {0} на {1} DocType: Currency,**Currency** Master,** Валути ** Главна DocType: Email Account,No of emails remaining to be synced,"Брой на имейли, които остава да бъдат синхронизирани" -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,Качване +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,Качване apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,"Моля, запишете документа преди присвояване" DocType: Website Settings,Address and other legal information you may want to put in the footer.,Адрес и друга правна информация които може да искате да поставите. DocType: Website Sidebar Item,Website Sidebar Item,Сайт Sidebar Точка @@ -940,7 +943,7 @@ apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App { DocType: Communication,Feedback Request,Обратна връзка - Заявка apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,Следните полета са изчезнали: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,Експериментална Feature -apps/frappe/frappe/www/login.html +25,Sign in,Впиши се +apps/frappe/frappe/www/login.html +30,Sign in,Впиши се DocType: Web Page,Main Section,Основен раздел DocType: Page,Icon,Икона apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,за филтриране на стойности между 5 и 10 @@ -950,7 +953,7 @@ DocType: System Settings,dd/mm/yyyy,дд/мм/гггг DocType: System Settings,Backups,Архиви apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,Добави контакт DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,По желание: Винаги изпрати на тези документи за самоличност. Всеки имейл адреса на нов ред -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,Скриване Детайли +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,Скриване Детайли DocType: Workflow State,Tasks,Задачи DocType: Event,Tuesday,Вторник DocType: Blog Settings,Blog Settings,Блог - Настройки @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,Срок за плащане apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,Ден Квартал DocType: Social Login Keys,Google Client Secret,Google Client Secret DocType: Website Settings,Hide Footer Signup,Скриване Footer Регистрация -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,отмени този документ +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,отмени този документ apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,"Напиши файл Python в същата папка, където това се записва и да се върнете на колоната и резултат." DocType: DocType,Sort Field,Поле за сортиране DocType: Razorpay Settings,Razorpay Settings,Настройки Razorpay -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,Редактиране на Филтър +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,Редактиране на Филтър apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,Поле {0} от тип {1} не може да бъде задължително DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User","напр. Ако Нанесете Потребителски Разрешения се проверява за Съобщи DocType но не и потребителски разрешения са определени за Доклад за Потребителя, тогава всички доклади са показали, че User" apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,Скриване на таблицата DocType: System Settings,Session Expiry Mobile,Session Изтичане Mobile apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,Резултати от търсенето за apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,Изберете да изтеглите: -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,Ако {0} е разрешено +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,Ако {0} е разрешено DocType: Custom DocPerm,If user is the owner,Ако потребителят е собственик ,Activity,Дейност DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Help: За да създадете връзка към друг запис в системата, използвайте "# Form / Note / [Забележка Name]", както URL на Link. (Не се използват "HTTP: //")" apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,Нека да се избегнат повтарящи се думи и знаци DocType: Communication,Delayed,Отложен apps/frappe/frappe/config/setup.py +128,List of backups available for download,Списък на резервни копия на разположение за изтегляне -apps/frappe/frappe/www/login.html +84,Sign up,Регистрирай се +apps/frappe/frappe/www/login.html +89,Sign up,Регистрирай се DocType: Integration Request,Output,продукция apps/frappe/frappe/config/setup.py +220,Add fields to forms.,Добави полета към форми. DocType: File,rgt,RGT @@ -995,7 +998,7 @@ DocType: User Email,Email ID,Email ID DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,"Списъкът на ресурсите, които Client App ще имат достъп до, след като потребителят го позволява.
    напр проект" DocType: Translation,Translated Text,Преведен текст DocType: Contact Us Settings,Query Options,Опции Критерии -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,Импортът е успешен! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,Импортът е успешен! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,Актуализиране на записите DocType: Error Snapshot,Timestamp,Клеймо DocType: Patch Log,Patch Log,Patch Log @@ -1009,14 +1012,14 @@ DocType: System Settings,Setup Complete,Настройката е извърше apps/frappe/frappe/config/setup.py +66,Report of all document shares,Справка за всички акции на документи apps/frappe/frappe/www/update-password.html +18,New Password,Нова Парола apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,Филтър {0} липсва -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,За съжаление! Не можете да изтриете автоматично генерирани коментари +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,За съжаление! Не можете да изтриете автоматично генерирани коментари DocType: Website Theme,Style using CSS,"Style, използвайки CSS" apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,Референтен DocType DocType: User,System User,Системен потребител DocType: Report,Is Standard,Е стандартна DocType: Desktop Icon,_report,_report DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field","Не HTML Възхвала HTML тагове като <скрипт> или просто символи като <или>, тъй като те биха могли да се използват съзнателно в тази област" -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,Посочете стойност по подразбиране +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,Посочете стойност по подразбиране DocType: Website Settings,FavIcon,Favicon apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,"Най-малко един отговор е задължително, преди да поискате обратна връзка" DocType: Workflow State,minus-sign,минус-знак @@ -1027,7 +1030,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Cu DocType: Authentication Log,Login,Влизане DocType: Web Form,Payments,Плащания DocType: System Settings,Enable Scheduled Jobs,Активиране планирани заявки -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,Забележки: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,Забележки: apps/frappe/frappe/www/message.html +19,Status: {0},Статус: {0} DocType: DocShare,Document Name,Документ Име apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,Отбележи като спам @@ -1041,7 +1044,7 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,Показ apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,От дата apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,Успех apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},Обратна връзка - Заявка за {0} е изпратена до {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,Сесията изтече +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,Сесията изтече DocType: Kanban Board Column,Kanban Board Column,Канбан Табло - колона apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,Правите редове от клавиши са лесни за отгатване DocType: Communication,Phone No.,Телефон No. @@ -1051,7 +1054,7 @@ DocType: Workflow State,picture,снимка apps/frappe/frappe/www/complete_signup.html +22,Complete,Завършен DocType: Customize Form,Image Field,Поле за Изображение DocType: Print Format,Custom HTML Help,Персонализиран HTML Help -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,Добавяне на ново ограничаването +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,Добавяне на ново ограничаването apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,Вижте на сайта DocType: Workflow Transition,Next State,Следващ статус DocType: User,Block Modules,Блок модули @@ -1066,7 +1069,7 @@ DocType: Email Account,Default Incoming,Default Incoming DocType: Workflow State,repeat,повторение DocType: Website Settings,Banner,Реклама DocType: Role,"If disabled, this role will be removed from all users.","Ако е забранено, тази роля ще бъде отстранен от всички потребители." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,Помощ за Търсене +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,Помощ за Търсене apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,Регистрирани но инвалиди DocType: DocType,Hide Copy,Скриване Copy apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,Изчистване на всички роли @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,Изтрий apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},Нови {0} apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,Няма намерени Потребителски ограничения. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,Входяща кутия по подразбиране -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,Направете нов +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,Направете нов DocType: Print Settings,PDF Page Size,PDF Page Size apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,"Забележка: области, които имат празна стойност за над критерии не се филтрират." DocType: Communication,Recipient Unsubscribed,Получател Отписахте DocType: Feedback Request,Is Sent,е изпратен apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,Около -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.","За актуализиране, можете да актуализирате само селективни колони." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.","За актуализиране, можете да актуализирате само селективни колони." DocType: System Settings,Country,Страна apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,Адреси DocType: Communication,Shared,Споделено @@ -1125,12 +1128,12 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",% не е валиден формат на справка. Форматът на справка трябва \ да е едно от следните неща %s DocType: Communication,Chat,Чат apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},Име на поле {0} се среща няколко пъти в редове {1} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} от {1} до {2} на ред # {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} от {1} до {2} на ред # {3} DocType: Communication,Expired,Изтекъл DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),Брой колони за едно поле в Grid (Общо Колони в мрежа трябва да са по-малко от 11) DocType: DocType,System,Система DocType: Web Form,Max Attachment Size (in MB),Максимален размер на Прикачен файл (в MB) -apps/frappe/frappe/www/login.html +88,Have an account? Login,Имате акаунт? Влезте +apps/frappe/frappe/www/login.html +93,Have an account? Login,Имате акаунт? Влезте apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},Неизвестен Print формат: {0} DocType: Workflow State,arrow-down,стрелка надолу apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,Свиване @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,Персонализирана Роля apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,Начало / Test Folder 2 DocType: System Settings,Ignore User Permissions If Missing,Игнорирай потребителските права ако липсват -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,"Моля, запишете документа, преди да качите." -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,Въведете паролата си +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,"Моля, запишете документа, преди да качите." +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,Въведете паролата си DocType: Dropbox Settings,Dropbox Access Secret,Dropbox Access Secret apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,Добави Друг коментар apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,Редактиране на DocType -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,Отписахте се от бюлетин +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,Отписахте се от бюлетин apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,Сгънете трябва да дойде преди Раздел Break apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,Последно променено от DocType: Workflow State,hand-down,ръка-надолу @@ -1159,7 +1162,8 @@ DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,Пренасо DocType: DocType,Is Submittable,Дали Правят apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,Цена поле проверка може да бъде или 0 или 1 apps/frappe/frappe/model/document.py +634,Could not find {0},Не можах да намеря {0} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,Колона Етикети: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,Изтеглете във файловия формат Excel +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,Колона Етикети: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,Именуване Series задължително DocType: Social Login Keys,Facebook Client ID,Facebook Client ID DocType: Workflow State,Inbox,Входящи @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,Група DocType: Footer Item,"Select target = ""_blank"" to open in a new page.","Изберете целеви = "_blank", за да отворите в нова страница." apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,Окончателно изтриване на {0}? apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,Един и същи файл вече е приложен към протокола -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,Игнорирайте грешки в кодирането на символите (encoding). +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,Игнорирайте грешки в кодирането на символите (encoding). DocType: Auto Email Report,XLS,XLS DocType: Workflow State,wrench,гаечен ключ apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,Не е зададен @@ -1195,24 +1199,25 @@ apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be e apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","Значение на Знаете, Отмени, изменя" apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,Да направя apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,Всяко съществуващо разрешение ще бъде изтрит / презаписани. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),След това от (по желание) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),След това от (по желание) DocType: File,Preview HTML,Преглед HTML DocType: Desktop Icon,query-report,заявка-доклад apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},Целеви да {0}: {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,"Филтри, запаметени" DocType: DocField,Percent,Процент -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,"Моля, задайте филтри" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,"Моля, задайте филтри" apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,Свързан с DocType: Workflow State,book,книга DocType: Website Settings,Landing Page,Landing Page apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,Грешка в персонализиран скрипт apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} Име -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.","Импортът е добавен в опашката за чакащи задачи. Това може да отнеме няколко минути, моля, бъдете търпеливи." +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.","Импортът е добавен в опашката за чакащи задачи. Това може да отнеме няколко минути, моля, бъдете търпеливи." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,Няма разрешение за определени за тези критерии. DocType: Auto Email Report,Auto Email Report,Auto Email Доклад apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,Максимални имейли -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,Изтриване на коментар? +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,Изтриване на коментар? DocType: Address Template,This format is used if country specific format is not found,"Този формат се използва, ако не се намери специфичен формат за държавата" +DocType: System Settings,Allow Login using Mobile Number,Да се разреши влизането чрез мобилен номер apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,"Вие нямате достатъчно права за достъп до този ресурс. Моля, свържете се с вашия мениджър, за да получите достъп." DocType: Custom Field,Custom,Персонализиран apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,Setup Email Alert въз основа на различни критерии. @@ -1238,7 +1243,7 @@ DocType: Workflow State,step-backward,стъпка назад apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{app_title} apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,"Моля, задайте Dropbox клавишите за достъп в сайта си довереник" apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,Изтрий този запис да позволи изпращането на този имейл адрес -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,"Само задължителни полета са необходими за нови записи. Можете да изтриете незадължителни колони, ако желаете." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,"Само задължителни полета са необходими за нови записи. Можете да изтриете незадължителни колони, ако желаете." apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,Не може да се актуализира събитие apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,Плащането е изпълнено apps/frappe/frappe/utils/bot.py +89,show,покажи @@ -1249,6 +1254,7 @@ DocType: Workflow State,map-marker,Карта-маркер apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,Пуснете Issue DocType: Event,Repeat this Event,Повторете това събитие DocType: Contact,Maintenance User,Поддържане на потребителя +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,Предпочитания за сортиране apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,"Избягвайте дати и години, които са свързани с вас." DocType: Custom DocPerm,Amend,Изменя DocType: File,Is Attachments Folder,Дали Прикачени Folder @@ -1274,9 +1280,9 @@ DocType: DocType,Route,маршрут apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,Razorpay настройки портал на плащане DocType: DocField,Name,Име apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,Надвишихте макс пространство на {0} за плана си. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,Търсене в документите +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,Търсене в документите DocType: OAuth Authorization Code,Valid,валиден -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,Open Link +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,Open Link apps/frappe/frappe/desk/form/load.py +46,Did not load,Не се зареди apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,Добави Row DocType: Tag Category,Doctypes,Doctypes @@ -1291,7 +1297,7 @@ DocType: Workflow State,align-center,уеднаквят-център DocType: Feedback Request,Is Feedback request triggered manually ?,Е заявка за обратна връзка задействана ръчно? apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,Могат да записва apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.","Някои документи, като фактура, не трябва да се променят веднъж като са окончателни. Състоянието за такива документи се нарича Изпратен. Можете да ограничите какви роли може да правят ""Изпращане""." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,Не е разрешено да експортирате тази справка +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,Не е разрешено да експортирате тази справка apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,1 елемент е избран DocType: Newsletter,Test Email Address,Тест имейл адрес DocType: ToDo,Sender,Подател @@ -1330,7 +1336,7 @@ apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,Ре apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} не е намерен DocType: Communication,Attachment Removed,прикаченият файл е премахнат apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,През последните години са лесни за отгатване. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,Покажи описание долу областта +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,Покажи описание долу областта DocType: DocType,ASC,ASC DocType: Workflow State,align-left,уеднаквят-ляво DocType: User,Defaults,Настройки по подразбиране @@ -1341,7 +1347,7 @@ DocType: Dynamic Link,Link Title,Препратка - Заглавие DocType: Workflow State,fast-backward,бързо назад DocType: DocShare,DocShare,DocShare DocType: Event,Friday,Петък -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,Редактиране на цяла страница +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,Редактиране на цяла страница DocType: Authentication Log,User Details,Потребителски Детайли DocType: Report,Add Total Row,Добави Total Row apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,"Например, ако откажете и да измени INV004 тя ще се превърне в нов документ INV004-1. Това ви помага да следите всяко изменение." @@ -1358,8 +1364,8 @@ DocType: Currency,"1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 Валутна единица = [?] Части. Например: 1 щатски долар = 100 цента apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour","Твърде много потребители се регистрирали наскоро, така че регистрацията е забранено. Моля, опитайте отново след час" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,Добави ново Правило за Разрешения -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,Можете да използвате маска% -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Само разширения за снимка (.gif, .jpg, .jpeg, .tiff, .png, .svg) са позволени" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,Можете да използвате маска% +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Само разширения за снимка (.gif, .jpg, .jpeg, .tiff, .png, .svg) са позволени" DocType: DocType,Database Engine,Database Engine DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box","Fields разделени със запетая (,) ще бъдат включени в "Търсене по" списък на диалоговия прозорец Търсене" apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,"Моля дублирайте тази тема на сайт, за да персонализирате." @@ -1367,10 +1373,10 @@ DocType: DocField,Text Editor,Редактор на текст apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,"Настройки на ""За нас"" страницата." apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,Edit персонализиран HTML DocType: Error Snapshot,Error Snapshot,Грешка Snapshot -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,В +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,В DocType: Email Alert,Value Change,Промяна на стойност DocType: Standard Reply,Standard Reply,Стандартен отговор -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,Ширина на полето за въвеждане +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,Ширина на полето за въвеждане DocType: Address,Subsidiary,Филиал DocType: System Settings,In Hours,В Часа apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,С бланки @@ -1385,13 +1391,12 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,Покани като Потребител apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,Изберете Приложения apps/frappe/frappe/model/naming.py +95, for {0},за {0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,"Имаше грешки. Моля, уведомете." +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,"Имаше грешки. Моля, уведомете." apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,Вие нямате право да отпечатате този документ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,"Моля, задайте филтри стойност в доклад Филтър маса." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,Товарене Доклад +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,Товарене Доклад apps/frappe/frappe/limits.py +72,Your subscription will expire today.,Абонаментът ви ще изтече днес. DocType: Page,Standard,Стандарт -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,Намерете {0} apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,Прикрепете File apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,Актуализация Уведомление Password apps/frappe/frappe/desk/page/backups/backups.html +13,Size,Размер @@ -1402,9 +1407,9 @@ DocType: Deleted Document,New Name,Ново Име DocType: Communication,Email Status,Email Статус apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,"Моля, запишете документа, преди да извадите присвояване" apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,Вмъкни над -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,Общи имена и презимена са лесни за отгатване. +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,Общи имена и презимена са лесни за отгатване. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,Чернова -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,Тази е подобна на често използвана парола. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,Тази е подобна на често използвана парола. DocType: User,Female,Женски DocType: Print Settings,Modern,Модерен apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,Резултати от търсенето @@ -1412,7 +1417,7 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,Не са DocType: Communication,Replied,Отговорено DocType: Newsletter,Test,Тест DocType: Custom Field,Default Value,Стойност по подразбиране -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,"Уверете се," +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,"Уверете се," DocType: Workflow Document State,Update Field,Актуализация на поле apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},Неуспешна проверка за {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,Регионални Extensions @@ -1425,7 +1430,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,Zero означава изпращане на записи актуализирани по всяко време apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,Пълна Setup DocType: Workflow State,asterisk,звездичка -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,"Моля, не променяйте позициите на шаблона." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,"Моля, не променяйте позициите на шаблона." DocType: Communication,Linked,Свързан apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},Въведете името на новия {0} DocType: User,Frappe User ID,Frappe ID User @@ -1434,9 +1439,9 @@ DocType: Workflow State,shopping-cart,карта за пазаруване apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,седмица DocType: Social Login Keys,Google,Google DocType: Email Domain,Example Email Address,Примерен имейл адрес -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,Най-използваният -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,Отписване от бюлетин -apps/frappe/frappe/www/login.html +96,Forgot Password,Забравена парола +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,Най-използваният +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,Отписване от бюлетин +apps/frappe/frappe/www/login.html +101,Forgot Password,Забравена парола DocType: Dropbox Settings,Backup Frequency,Честота на архивиране DocType: Workflow State,Inverse,Обратен DocType: DocField,User permissions should not apply for this Link,Потребителски разрешения не следва да се прилагат за този линк @@ -1447,9 +1452,9 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Nu apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,Браузърът не се поддържа apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,Част от информацията липсва DocType: Custom DocPerm,Cancel,Отказ -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,Добави към Desktop +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,Добави към Desktop apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,File {0} не съществува -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,Оставете празно за нови записи +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,Оставете празно за нови записи apps/frappe/frappe/config/website.py +63,List of themes for Website.,Списък на теми за Website. apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,Актуализирани успешно DocType: Authentication Log,Logout,Изход @@ -1462,7 +1467,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a DocType: Currency,Symbol,Символ apps/frappe/frappe/model/base_document.py +535,Row #{0}:,Ред # {0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,Нова парола е изпратена на емайла -apps/frappe/frappe/auth.py +242,Login not allowed at this time,Не е позволено влизането в този момент +apps/frappe/frappe/auth.py +245,Login not allowed at this time,Не е позволено влизането в този момент DocType: Email Account,Email Sync Option,Email Sync Вариант DocType: Async Task,Runtime,Runtime DocType: Contact Us Settings,Introduction,Въведение @@ -1477,7 +1482,7 @@ apps/frappe/frappe/config/setup.py +240,Custom Tags,Персонализиран apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,Не бяха намерени съответстващи приложения DocType: Communication,Submitted,Изпратено DocType: System Settings,Email Footer Address,Email Footer Адрес -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,Таблицата е актуализирана +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,Таблицата е актуализирана DocType: Communication,Timeline DocType,Timeline DocType DocType: DocField,Text,Текст apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,Standard отговори на общи запитвания. @@ -1487,7 +1492,7 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by DocType: Footer Item,Footer Item,Footer точка ,Download Backups,Изтегляне на резервни копия apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,Начало / Test Folder 1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.","Да не се актуализират, но да се вмъкнат нови записи." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.","Да не се актуализират, но да се вмъкнат нови записи." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,Присвояване на мен apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,Редактиране на Папка DocType: DocField,Dynamic Link,Dynamic Link @@ -1500,9 +1505,10 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,Помощ за определяне на права DocType: Tag Doc Category,Doctype to Assign Tags,Doctype да поставяте етикети apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,Покажи Рецидивите +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,Имейлът бе преместен в кошчето DocType: Report,Report Builder,Report Builder DocType: Async Task,Task Name,Задача Име -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.","Сесията ви е изтекла, моля, влезте отново, за да продължите." +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.","Сесията ви е изтекла, моля, влезте отново, за да продължите." DocType: Communication,Workflow,Workflow apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},На опашка за архивиране и отстраняване на {0} DocType: Workflow State,Upload,Качи @@ -1525,7 +1531,7 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18",В това поле ще се появи само ако FIELDNAME определено тук има стойност или правилата са верни (примери): myfield Оценка: doc.myfield == "My Value" Оценка: doc.age> 18 -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,днес +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,днес apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).","След като сте задали този, потребителите ще бъдат в състояние единствено достъп до документи (напр. Блог Post), където съществува връзката (напр. Blogger)." DocType: Error Log,Log of Scheduler Errors,Журнал на грешки за Scheduler DocType: User,Bio,Био @@ -1539,7 +1545,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,Изтрити DocType: Workflow State,adjust,регулирайте DocType: Web Form,Sidebar Settings,Sidebar Settings -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,

    Няма намерени резултати за '

    DocType: Website Settings,Disable Customer Signup link in Login page,Изключване на линк за регистрация на логин страницата apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,Възложени / Собственик DocType: Workflow State,arrow-left,стрелка наляво @@ -1560,8 +1565,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,Показване на Раздел Рубрики DocType: Bulk Update,Limit,лимит apps/frappe/frappe/www/printview.py +219,No template found at path: {0},Не са намерени в пътя шаблон: {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,Изпрати след импорт. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,Без имейл акаунт +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,Изпрати след импорт. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,Без имейл акаунт DocType: Communication,Cancelled,Отменен DocType: Standard Reply,Standard Reply Help,Стандартен отговор Помощ DocType: Blogger,Avatar,Въплъщение @@ -1570,13 +1575,13 @@ DocType: DocType,Has Web View,Има Уеб View apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores","име DocType трябва да започва с буква и тя може да се състои само от букви, цифри, интервали и долни" DocType: Communication,Spam,Спам DocType: Integration Request,Integration Request,интеграция Заявка -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,Уважаеми +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,Уважаеми DocType: Contact,Accounts User,Роля Потребител на 'Сметки' DocType: Web Page,HTML for header section. Optional,HTML за раздел глава. По избор apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,Тази функция е нова и все още експериментална apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,Позволен брой редове {0} DocType: Email Unsubscribe,Global Unsubscribe,Глобално отписване -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,Това е много често срещана парола. +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,Това е много често срещана парола. apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,Изглед DocType: Communication,Assigned,целеви DocType: Print Format,Js,Js @@ -1584,13 +1589,14 @@ apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Form apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,Кратки модели на клавиатурата са лесни за отгатване DocType: Portal Settings,Portal Menu,Portal Menu apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,Дължина на {0} трябва да бъде между 1 и 1000 -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,Търсене на нещо +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,Търсене на нещо DocType: DocField,Print Hide,Print Скрий apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,Въведете стойност DocType: Workflow State,tint,нюанс DocType: Web Page,Style,Стил apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,например: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} коментари +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,"Имейл акаунта не е настроен. Моля, създайте нов имейл адрес от настройката> имейл> имейл акаунт" apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,Изберете категория ... DocType: Customize Form Field,Label and Type,Етикет и тип DocType: Workflow State,forward,напред @@ -1602,12 +1608,14 @@ DocType: Website Settings,Sub-domain provided by erpnext.com,"Под-домей DocType: System Settings,dd-mm-yyyy,дд-мм-гггг apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,Трябва да има разрешение доклад за достъп до този доклад. apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,"Моля, изберете Минимален парола" -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,Добавен -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.","Актуализиране само, не добавяйте нови записи." +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,Добавен +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.","Актуализиране само, не добавяйте нови записи." apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,"Daily Digest събитие се изпраща за Календар на събитията, където са определени напомняния." apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,Виж Website DocType: Workflow State,remove,премахнете DocType: Email Account,If non standard port (e.g. 587),Ако нестандартно порт (например 587) +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Настройка> Мениджър на разрешенията на потребителите +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,"Не бе намерен стандартен шаблон за адреси. Моля, създайте нов от Setup> Printing and Branding> Address Template." apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,Презареди apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,Добавете собствени Tag Категории apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,Общо @@ -1625,16 +1633,15 @@ apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",Резулта apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},Не можете да зададете разрешение за DocType: {0} и Име: {1} apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,Добави към To Do DocType: Footer Item,Company,Компания -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,"Моля, настройте по подразбиране имейл акаунта от Setup> Email> Email Account" apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,Ми възложени -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,Потвърдете Паролата +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,Потвърдете Паролата apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,Има грешки apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,Затвори apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,Не може да се промени docstatus от 0 на 2 DocType: User Permission for Page and Report,Roles Permission,Роли Разрешение apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,Актуализация DocType: Error Snapshot,Snapshot View,Snapshot View -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,"Моля, запишете бюлетина, преди да го изпратите" +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,"Моля, запишете бюлетина, преди да го изпратите" apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},Опции трябва да бъде валиден DocType за поле {0} на ред {1} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,Редактиране на стойности DocType: Patch Log,List of patches executed,Списък на изпълнени актуализации @@ -1642,17 +1649,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,Комуникационна среда DocType: Website Settings,Banner HTML,Реклама HTML apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',"Моля, изберете друг начин на плащане. Razorpay не поддържа транзакции с валута "{0}"" -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,На опашка за архивиране. Това може да отнеме няколко минути до един час. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,На опашка за архивиране. Това може да отнеме няколко минути до един час. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,Регистрирайте OAuth Client App apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""","{0} {1} не може да бъде ""{2}"". Тя трябва да бъде една от ""{3}""" -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} или {1} +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} или {1} apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,Показване или скриване на иконите на работния плот apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,Актуализация на парола DocType: Workflow State,trash,боклук DocType: System Settings,Older backups will be automatically deleted,"По-стари архиви, да се изтриват автоматично" DocType: Event,Leave blank to repeat always,"Оставете празно, за да се повтаря винаги" -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,Потвърден +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,Потвърден DocType: Event,Ends on,Завършва на DocType: Payment Gateway,Gateway,Врата apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,Няма достатъчно разрешение да виждате връзки @@ -1660,18 +1667,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO","Добавен в HTML <главата> раздел на уеб страницата, използвани главно за проверка сайт и SEO" apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,Рецидивирал apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,Позицията не може да бъде добавена към собствените си потомци -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,Показване на Общо +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,Показване на Общо DocType: Error Snapshot,Relapses,Рецидивите DocType: Address,Preferred Shipping Address,Предпочитана Адрес за доставка DocType: Social Login Keys,Frappe Server URL,URL Frappe Сървър -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,С бланка +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,С бланка apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} създаде този {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,Документ може да се редактира само от потребителите на роля apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.","Задачата {0}, която сте задали за {1}, е затворена от {2}." DocType: Print Format,Show Line Breaks after Sections,Покажи Line Breaks след раздели DocType: Blogger,Short Name,Кратко Име apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},Стр. {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).","Избирате Sync опция, тъй като всички, тя ще RESYNC всички \ чете, както и непрочетено съобщение от сървъра. Това също може да доведе до дублиране на \ Комуникационни (имейли)." apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,файлове Размер @@ -1680,7 +1687,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,блокиран DocType: Contact Us Settings,"Default: ""Contact Us""","по подразбиране: ""За контакти""" DocType: Contact,Purchase Manager,Мениджър покупки -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.","Ниво 0 е за разрешения на ниво документ, по-високи нива за разрешения на ниво област." DocType: Custom Script,Sample,Проба apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,Некатегоризирани етикети apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore","Потребителско име не трябва да съдържа никакви специални знаци, различни от букви, цифри и долна черта" @@ -1703,7 +1709,7 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please up apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,Месец DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,ProTip: Добави Reference: {{ reference_doctype }} {{ reference_name }} да изпратите документ за справка apps/frappe/frappe/modules/utils.py +202,App not found,App не е намерен -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},Не може да се създаде {0} срещу подчинен документ: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},Не може да се създаде {0} срещу подчинен документ: {1} DocType: Portal Settings,Custom Sidebar Menu,Персонализирано странично меню DocType: Workflow State,pencil,молив apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,Чат съобщения и други уведомления. @@ -1713,11 +1719,11 @@ apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please ente DocType: Workflow State,hand-up,ръка-нагоре DocType: Blog Settings,Writers Introduction,Писатели Въведение DocType: Communication,Phone,Телефон -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,"Грешка при оценяването Email Alert {0}. Моля, коригирайте шаблон." +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,"Грешка при оценяването Email Alert {0}. Моля, коригирайте шаблон." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,Изберете вида документ или Role да започне. DocType: Contact,Passive,Пасивен DocType: Contact,Accounts Manager,Роля Мениджър на 'Сметки' -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,Изберете Вид на файла +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,Изберете Вид на файла DocType: Help Article,Knowledge Base Editor,База от знание - Редактор apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,Страницата не е намерена DocType: DocField,Precision,Точност @@ -1726,7 +1732,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,Групи DocType: Workflow State,Workflow State,Workflow-членка apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,Редове добавени -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,Успех! Вие сте добре да отидете 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,Успех! Вие сте добре да отидете 👍 apps/frappe/frappe/www/me.html +3,My Account,Моят Профил DocType: ToDo,Allocated To,Разпределена за apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,"Моля, кликнете върху следния линк, за да зададете нова парола" @@ -1748,7 +1754,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,Стат apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,Идентификатор за влизане apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},Вече са направени {0} от {1} DocType: OAuth Authorization Code,OAuth Authorization Code,OAuth Оторизационен код -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,Не е разрешено да импортира +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,Не е разрешено да импортира DocType: Social Login Keys,Frappe Client Secret,Frappe Client Secret DocType: Deleted Document,Deleted DocType,Изтрити DocType apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,Разрешение Нива @@ -1756,11 +1762,11 @@ DocType: Workflow State,Warning,Предупреждение DocType: Tag Category,Tag Category,Етикет - Категория apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!","Пренебрегването т {0}, защото съществува една група със същото име!" apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,Не мога да възстановя Анулиран Документ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,Помощ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,Помощ DocType: User,Login Before,Вход Преди DocType: Web Page,Insert Style,Вмъкни стил apps/frappe/frappe/config/setup.py +253,Application Installer,Application Installer -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,Ново име Справка +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,Ново име Справка apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,Е DocType: Workflow State,info-sign,Инфо-знак apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,Цена {0} не може да бъде даден списък @@ -1768,9 +1774,10 @@ DocType: Currency,"How should this currency be formatted? If not set, will use s apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,Покажи потребителски разрешения apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,"Трябва да влезете в профила и да имате роля на системен мениджър, за да бъдете в състояние за достъп до архиви." apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,оставащ +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,

    Няма намерени резултати за '

    apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,"Моля, запишете преди да поставите." -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),Добавен {0} ({1}) -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},Тема по подразбиране е зададена в {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),Добавен {0} ({1}) +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},Тема по подразбиране е зададена в {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},Fieldtype не може да се променя от {0} на {1} в ред {2} apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,Роля - Права DocType: Help Article,Intermediate,Междинен @@ -1786,11 +1793,12 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,Обновява DocType: Event,Starts on,Започва на DocType: System Settings,System Settings,Системни настройки apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,Стартът на сесията се провали -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},Този имейл е изпратен на {0} и копие до {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},Този имейл е изпратен на {0} и копие до {1} DocType: Workflow State,th,тата -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},Създаване на нова {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Настройка> Потребител +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},Създаване на нова {0} DocType: Email Rule,Is Spam,е спам -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},Справка {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},Справка {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},Open {0} DocType: OAuth Client,Default Redirect URI,Адрес URI по подразбиране за препращане DocType: Email Alert,Recipients,Получатели @@ -1799,13 +1807,13 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,Дублик DocType: Newsletter,Create and Send Newsletters,Създаване и изпращане на бюлетини apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,От дата трябва да е преди днешна дата apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,"Моля, посочете кое поле за стойност трябва да се проверява" -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added","""Родителска"" означава главната таблица, в която трябва да се добави този ред" +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added","""Родителска"" означава главната таблица, в която трябва да се добави този ред" DocType: Website Theme,Apply Style,Нанесете Style DocType: Feedback Request,Feedback Rating,Обратна връзка Рейтинг apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,Споделено с DocType: Help Category,Help Articles,Помощни статии ,Modules Setup,Настройка на модули -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,Тип: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,Тип: DocType: Communication,Unshared,неразделен apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,Модулът не е намерен DocType: User,Location,Местоположение @@ -1813,14 +1821,14 @@ apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},П ,Permitted Documents For User,Разрешени документи за потребителя apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission",Трябва да има "Share" разрешение DocType: Communication,Assignment Completed,Прехвърляне Завършен -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},Масова редакция {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},Масова редакция {0} DocType: Email Alert Recipient,Email Alert Recipient,Email Alert Получател apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,Не е активна DocType: About Us Settings,Settings for the About Us Page,"Настройки на ""За нас"" страницата" apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,Настройки на порта за плащане за ленти apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,Изберете вида на документа за изтегляне DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,напр pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,Използвайте полето за филтриране на записи +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,Използвайте полето за филтриране на записи DocType: DocType,View Settings,Преглед на настройките DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll","Добавете вашите служители, така че можете да управлявате листа, разходи и заплати" @@ -1830,9 +1838,9 @@ apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 charac DocType: OAuth Client,App Client ID,App Client ID DocType: Kanban Board,Kanban Board Name,Наименование на Канбан Табло DocType: Email Alert Recipient,"Expression, Optional","Expression, незадължително" -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},Този имейл е изпратен на {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},Този имейл е изпратен на {0} DocType: DocField,Remember Last Selected Value,Запомни Последно избраната стойност -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,"Моля, изберете Тип документ" +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,"Моля, изберете Тип документ" DocType: Email Account,Check this to pull emails from your mailbox,Маркирайте това да дръпнете имейли от пощенската си кутия apps/frappe/frappe/limits.py +139,click here,Натисни тук apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,Не можете да редактирате анулирани на документи @@ -1855,26 +1863,26 @@ DocType: Communication,Has Attachment,С прикачен файл DocType: Contact,Sales User,Продажби - потребител apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,"Drag и Drop инструмент, за да се изгради и да персонализирате формати на печат." apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,Разширяване -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,Определете +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,Определете DocType: Email Alert,Trigger Method,Trigger Метод DocType: Workflow State,align-right,уеднаквят десен DocType: Auto Email Report,Email To,Email до apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,Папка {0} не е празна DocType: Page,Roles,Роли -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,Поле {0} не е избираемо. +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,Поле {0} не е избираемо. DocType: System Settings,Session Expiry,Session Изтичане DocType: Workflow State,ban-circle,бан-кръг DocType: Email Flag Queue,Unread,непрочетен DocType: Bulk Update,Desk,Бюро apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,Напиши SELECT заявка. Забележка резултат не е пейджъра (всички данни се изпращат на един път). DocType: Email Account,Attachment Limit (MB),Attachment Limit (MB) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,Setup Auto Email +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,Setup Auto Email apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,Ctrl + Надолу -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,Това е топ-10 обща парола. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,Това е топ-10 обща парола. DocType: User,User Defaults,Потребителски настройки apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,Създавай на нов DocType: Workflow State,chevron-down,Стрелка-надолу -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),Email не изпраща до {0} (отписахте / инвалиди) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),Email не изпраща до {0} (отписахте / инвалиди) DocType: Async Task,Traceback,Проследи DocType: Currency,Smallest Currency Fraction Value,Най-малък Фракция валути Value apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,Възлага на @@ -1885,7 +1893,7 @@ DocType: User,Restrict user from this IP address only. Multiple IP addresses can DocType: Communication,From,От DocType: Website Theme,Google Font (Heading),Google Font (Заглавие) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,Изберете група възел на първо място. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},Намерете {0} в {1} +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},Намерете {0} в {1} DocType: OAuth Client,Implicit,косвен DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","Добавяне като комуникация против този DocType (трябва да има области, "статут", "Тема")" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1902,8 +1910,10 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loadi apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.","Въведете клавиши, за да се даде възможност за вход чрез Facebook, Google, GitHub." DocType: Auto Email Report,Filter Data,Данни за филтриране apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,Добавяне на маркер -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,"Моля, първо прикачете файл." +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,"Моля, първо прикачете файл." apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator","Имаше някои грешки, определящи името, моля, свържете се с администратора" +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.","Изглежда, че сте написали името си вместо имейла си. Моля, въведете валиден имейл адрес, за да можем да се върнем обратно." DocType: Website Slideshow Item,Website Slideshow Item,Website Slideshow Точка DocType: Portal Settings,Default Role at Time of Signup,Default Роля по време на членство DocType: DocType,Title Case,Заглавие Case @@ -1911,7 +1921,7 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ",Наименуване Опции:
    1. поле: [FIELDNAME] - от полето
    2. naming_series: - с названието Series (полеви нарича naming_series трябва да присъстват
    3. Prompt - Prompt потребителя за името
    4. [поредица] - Серия от префикс (разделени с точка); например PRE. #####
    DocType: Blog Post,Email Sent,Email Изпратено DocType: DocField,Ignore XSS Filter,Игнорирайте XSS Филтър -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,премахнат +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,премахнат apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,Настройки на Dropbox архивиране apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,Изпрати като мейл DocType: Website Theme,Link Color,Цвят на Препратка @@ -1932,9 +1942,9 @@ DocType: Letter Head,Letter Head Name,Бланка - Име DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),Брой колони за област в Списък View или Grid (Общо Колони трябва да са по-малко от 11) apps/frappe/frappe/config/website.py +18,User editable form on Website.,Потребителят може да се редактира формат на уебсайта. DocType: Workflow State,file,файл -apps/frappe/frappe/www/login.html +103,Back to Login,Обратно към вход +apps/frappe/frappe/www/login.html +108,Back to Login,Обратно към вход apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,"Трябва да имате права за писане, за да преименувате" -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,Приложи правило +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,Приложи правило DocType: User,Karma,Карма DocType: DocField,Table,Таблица DocType: File,File Size,Размер на файла @@ -1944,7 +1954,7 @@ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Coun apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,между DocType: Async Task,Queued,На опашка DocType: PayPal Settings,Use Sandbox,Използвайте Sandbox -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,Нов персонализиран Print Format +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,Нов персонализиран Print Format DocType: Custom DocPerm,Create,Създай apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},Невалиден Филтър: {0} DocType: Email Account,no failed attempts,няма неуспешни опити @@ -1968,8 +1978,8 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,сигнал DocType: DocType,Show Print First,Покажи Print First apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,"Ctrl + Enter, за да публикувате" -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},Направете нов {0} -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,Нов имейл акаунт +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},Направете нов {0} +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,Нов имейл акаунт apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),Размер (MB) DocType: Help Article,Author,автор apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,Възобновяване Изпращане @@ -1979,7 +1989,7 @@ DocType: Print Settings,Monochrome,Монохромен DocType: Contact,Purchase User,Покупка на потребителя DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.","Different "държави" този документ може да съществува инча Like "Open", "В очакване на одобрение" и т.н." apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,"Тази връзка е невалиден или изтекъл. Моля, уверете се, че сте поставили правилно." -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} е успешно абонамента от този пощенски списък. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} е успешно абонамента от този пощенски списък. DocType: Web Page,Slideshow,Slideshow apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,Default Адрес Template не може да бъде изтрита DocType: Contact,Maintenance Manager,Мениджър по поддръжката @@ -1993,13 +2003,16 @@ apps/frappe/frappe/model/document.py +1047,This document is currently queued for apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,"{0}" не е намерен файла apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,Махни Раздел DocType: User,Change Password,Смени парола -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},Невалиден Email: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},Невалиден Email: {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,Край на събитието трябва да бъде след началото apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},Не е нужно разрешение да получите отчет за: {0} DocType: DocField,Allow Bulk Edit,Разрешаване на групово редактиране DocType: Blog Post,Blog Post,Блог - Статия -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,Разширено Търсене +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,Разширено Търсене apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,Инструкции за възстановяване на паролата са изпратени на Вашия имейл +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.","Ниво 0 е за разрешения на ниво документ, \ по-високи нива за разрешения на ниво поле." +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,Sort By DocType: Workflow,States,Членки DocType: Email Alert,Attach Print,Прикрепете Print apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},Примерен Потребител: {0} @@ -2007,7 +2020,7 @@ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,ден ,Modules,модули apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,Задай икони за раб.площ apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,Успешно плащане -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,Няма {0} поща +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,Няма {0} поща DocType: OAuth Bearer Token,Revoked,отм DocType: Web Page,Sidebar and Comments,Sidebar и Коментари apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.","Когато се изменя документ след Отмени и спести нея, тя ще получи нов номер, който е версия на стария номер." @@ -2015,17 +2028,17 @@ DocType: Stripe Settings,Publishable Key,Ключ за публикуване DocType: Workflow State,circle-arrow-left,Стрелка в кръг-наляво apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,"Redis кеш сървър не работи. Моля, свържете се с администратора / подкрепа Tech" apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,Име на Компания -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,Направете нов запис +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,Направете нов запис apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,търсене DocType: Currency,Fraction,Фракция DocType: LDAP Settings,LDAP First Name Field,LDAP Име - Поле -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,Изберете от съществуващите прикачени файлове +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,Изберете от съществуващите прикачени файлове DocType: Custom Field,Field Description,Поле Описание apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,Името не определя чрез Prompt -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,Email Входящи +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,Email Входящи DocType: Auto Email Report,Filters Display,Показване на филтри DocType: Website Theme,Top Bar Color,Top Bar цвят -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,Искате ли да се отпишете от този пощенски списък? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,Искате ли да се отпишете от този пощенски списък? DocType: Address,Plant,Завод apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,Отговори на всички DocType: DocType,Setup,Настройки @@ -2035,8 +2048,8 @@ DocType: Workflow State,glass,стъкло DocType: DocType,Timeline Field,Timeline Невярно DocType: Country,Time Zones,Часови зони apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,Трябва да има поне правило едно разрешение. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,Вземи артикули -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,Вие не apporve Dropbox Access. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,Вземи артикули +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,Вие не apporve Dropbox Access. DocType: DocField,Image,Изображение DocType: Workflow State,remove-sign,махни-знак apps/frappe/frappe/www/search.html +30,Type something in the search box to search,"Напишете нещо в полето за търсене, за да търсите" @@ -2045,9 +2058,9 @@ DocType: Communication,Other,Друг apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,Започнете новия формат apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,"Моля, прикачете файл" DocType: Workflow State,font,шрифт -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,Това е един от най-ползваните 100 пароли. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,Това е един от най-ползваните 100 пароли. apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,"Моля, разрешете изскачащи прозорци" -DocType: Contact,Mobile No,Мобилен номер +DocType: User,Mobile No,Мобилен номер DocType: Communication,Text Content,Текст съдържание DocType: Customize Form Field,Is Custom Field,Е персонализирано поле DocType: Workflow,"If checked, all other workflows become inactive.","Ако е избрано, всички други работни процеси стават неактивни." @@ -2062,7 +2075,7 @@ DocType: Email Flag Queue,Action,Действие apps/frappe/frappe/www/update-password.html +111,Please enter the password,"Моля, въведете паролата" apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,Не е позволено да отпечатате анулирани документи apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,Не е разрешено да се създаде колони -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,Инфо: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,Инфо: DocType: Custom Field,Permission Level,Ниво на достъп DocType: User,Send Notifications for Transactions I Follow,"Изпращай ми известия за транзакции, които следя" apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write","{0}: Cannot set Submit, Cancel, Amend without Write" @@ -2080,11 +2093,11 @@ DocType: DocField,In List View,В списъчен изглед DocType: Email Account,Use TLS,Използване на TLS apps/frappe/frappe/email/smtp.py +24,Invalid login or password,Невалидна парола или потребителско име apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,Добави JavaScript форми. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,Номер +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,Номер ,Role Permissions Manager,Мениджър на права за роля apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,Името на новия Print Format -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,Изчистване на прикачен файл -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,Задължително: +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,Изчистване на прикачен файл +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,Задължително: ,User Permissions Manager,Мениджър потребителски разрешения DocType: Property Setter,New value to be set,Задай Нова стойност DocType: Email Alert,Days Before or After,Дни преди или след @@ -2120,14 +2133,14 @@ apps/frappe/frappe/model/base_document.py +428,Value missing for,Липсва Ц apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,Добави Поделемент apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: Осчетоводен Запис не може да бъде изтрит. apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,Архив - Размер -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,нов тип документ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,нов тип документ DocType: Custom DocPerm,Read,Четене DocType: Role Permission for Page and Report,Role Permission for Page and Report,Роля АКТ Пейдж и доклад apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,Изравнете Value apps/frappe/frappe/www/update-password.html +14,Old Password,Стара Парола apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},Мнения на {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.","За колони формат, даде етикети на колони в заявката." -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,Не сте се регистрирали? Регистрирай се +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,Не сте се регистрирали? Регистрирай се apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,{0}: Cannot set Assign Amend if not Submittable apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,Редактиране на права в роля DocType: Communication,Link DocType,Препратка DocType @@ -2141,7 +2154,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,Почин apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,"Страницата, която търсите липсва. Това би могло да бъде, защото тя е преместена или има печатна грешка в линка." apps/frappe/frappe/www/404.html +13,Error Code: {0},Код на грешка: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)","Описание на обявата страница, в обикновен текст, само няколко линии. (макс 140 знака)" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,Добави ограничение за Потребител +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,Добави ограничение за Потребител DocType: DocType,Name Case,Име Case apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,Споделено с всички apps/frappe/frappe/model/base_document.py +423,Data missing in table,Липсващи данни в таблица @@ -2165,7 +2178,7 @@ apps/frappe/frappe/public/js/frappe/roles_editor.js +28,Add all roles,Добав apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your email and message so that we \ can get back to you. Thanks!","Моля, въведете и двете си поща и съобщения, така че можем \ може да се свържем с вас. Благодаря!" apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,Не може да се свърже с изходящ сървър за електронна поща -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,Благодарим ви за проявения интерес към абонирате за нашите новини +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,Благодарим ви за проявения интерес към абонирате за нашите новини apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,Персонализирана колона DocType: Workflow State,resize-full,преоразмеряване-пълно DocType: Workflow State,off,край @@ -2183,10 +2196,10 @@ DocType: OAuth Bearer Token,Expires In,Изтича В DocType: DocField,Allow on Submit,Позволете на Подайте DocType: DocField,HTML,HTML DocType: Error Snapshot,Exception Type,Тип Изключение -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,Избрани Колони +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,Избрани Колони DocType: Web Page,Add code as <script>,"Добави код, както" apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +7,Select Type,Изберете тип -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +24,Please enter values for App Access Key and App Secret Key,"Моля, въведете стойности за App ключа за достъп и App Secret Key" +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +26,Please enter values for App Access Key and App Secret Key,"Моля, въведете стойности за App ключа за достъп и App Secret Key" DocType: Web Form,Accept Payment,Приеми плащане apps/frappe/frappe/config/core.py +62,A log of request errors,Журнал с грешки на заявки DocType: Report,Letter Head,Бланка @@ -2216,11 +2229,11 @@ apps/frappe/frappe/public/js/frappe/request.js +111,Please try again,"Моля, apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 3,Вариант 3 DocType: Unhandled Email,uid,UID DocType: Workflow State,Edit,Редактирай -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Permissions can be managed via Setup > Role Permissions Manager,Разрешения могат да бъдат управлявани чрез Setup> Мениджър Роля Permissions +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +226,Permissions can be managed via Setup > Role Permissions Manager,Разрешения могат да бъдат управлявани чрез Setup> Мениджър Роля Permissions DocType: Contact Us Settings,Pincode,ПИН код apps/frappe/frappe/core/page/data_import_tool/importer.py +81,Please make sure that there are no empty columns in the file.,"Моля, уверете се, че няма празни колони във файла." apps/frappe/frappe/utils/oauth.py +232,Please ensure that your profile has an email address,"Моля, уверете се, че вашият профил има зададен имейл адрес" -apps/frappe/frappe/public/js/frappe/model/create_new.js +282,You have unsaved changes in this form. Please save before you continue.,"Имате незапазени промени в тази форма. Моля, запишете преди да продължите." +apps/frappe/frappe/public/js/frappe/model/create_new.js +286,You have unsaved changes in this form. Please save before you continue.,"Имате незапазени промени в тази форма. Моля, запишете преди да продължите." apps/frappe/frappe/core/doctype/doctype/doctype.py +439,Default for {0} must be an option,Стойност по подразбиране за {0} трябва да бъде опция DocType: Tag Doc Category,Tag Doc Category,Tag Doc Категория DocType: User,User Image,Потребител - Снимка @@ -2228,10 +2241,10 @@ apps/frappe/frappe/email/queue.py +286,Emails are muted,Имейлите са з apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Up,Ctrl + Нагоре DocType: Website Theme,Heading Style,Заглавие - Стил apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,Ще бъде създаден нов проект с това име -apps/frappe/frappe/utils/data.py +527,1 weeks ago,преди 1 седмица +apps/frappe/frappe/utils/data.py +528,1 weeks ago,преди 1 седмица apps/frappe/frappe/desk/page/applications/applications.py +75,You cannot install this app,Не можете да инсталирате това приложение DocType: Communication,Error,Грешка -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +89,Do not send Emails.,Да не се изпращат имейли. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +99,Do not send Emails.,Да не се изпращат имейли. DocType: DocField,Column Break,Разделител на Колона DocType: Event,Thursday,Четвъртък apps/frappe/frappe/utils/response.py +143,You don't have permission to access this file,Вие нямате разрешение за достъп до този файл @@ -2275,25 +2288,23 @@ apps/frappe/frappe/config/desk.py +38,Private and public Notes.,Частни и DocType: DocField,Datetime,Дата/час apps/frappe/frappe/templates/includes/login/login.js +174,Not a valid user,Не е валиден потребител DocType: Workflow State,arrow-right,стрелка надясно -apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} преди години DocType: Workflow State,Workflow state represents the current state of a document.,Членка Workflow представлява текущото състояние на даден документ. apps/frappe/frappe/utils/oauth.py +221,Token is missing,Token липсва apps/frappe/frappe/utils/file_manager.py +269,Removed {0},Премахнато {0} DocType: Company History,Highlight,Маркиране DocType: OAuth Provider Settings,Force,сила DocType: DocField,Fold,Гънка -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +656,Ascending,Възходящ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Ascending,Възходящ apps/frappe/frappe/printing/doctype/print_format/print_format.py +19,Standard Print Format cannot be updated,Standard Print формат не може да се актуализира apps/frappe/frappe/public/js/frappe/model/model.js +537,Please specify,"Моля, посочете" DocType: Communication,Bot,Bot DocType: Help Article,Help Article,Помощ статия DocType: Page,Page Name,Име на страницата -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +202,Help: Field Properties,Помощ: свойства на поле -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +134,Importing...,Импортиране ... +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +203,Help: Field Properties,Помощ: свойства на поле +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +137,Importing...,Импортиране ... apps/frappe/frappe/core/doctype/file/file.js +27,Unzip,Разархивиране apps/frappe/frappe/model/document.py +923,Incorrect value in row {0}: {1} must be {2} {3},Неправилна стойност в ред {0}: {1} трябва да е {2} {3} apps/frappe/frappe/workflow/doctype/workflow/workflow.py +67,Submitted Document cannot be converted back to draft. Transition row {0},Изпратено Документът не може да се превръща отново да изготви проект. Поредни Transition {0} -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Настройка> Потребител apps/frappe/frappe/desk/reportview.py +217,Deleting {0},Изтриване на {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start.html +2,Select an existing format to edit or start a new format.,"Изберете съществуващ формат, за да редактирате или започнете нов формат." apps/frappe/frappe/workflow/doctype/workflow/workflow.py +38,Created Custom Field {0} in {1},Създаден персонализирано поле {0} в {1} @@ -2311,12 +2322,12 @@ DocType: OAuth Provider Settings,Auto,Автоматичен DocType: Workflow State,question-sign,въпрос-знак DocType: Email Account,Add Signature,Добави подпис apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +38,Left this conversation,Напусна този разговор -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +479,Did not set,Не избран +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Did not set,Не избран ,Background Jobs,Задачи във фонов режим DocType: ToDo,ToDo,Да направя DocType: DocField,No Copy,Няма копие DocType: Workflow State,qrcode,QRCode -apps/frappe/frappe/www/login.html +29,Login with LDAP,Влез с LDAP +apps/frappe/frappe/www/login.html +34,Login with LDAP,Влез с LDAP DocType: Web Form,Breadcrumbs,Breadcrumbs apps/frappe/frappe/core/doctype/doctype/doctype.py +637,If Owner,Ако Собственик DocType: OAuth Authorization Code,Expiration time,време изтичане @@ -2325,7 +2336,7 @@ DocType: Web Form,Show Sidebar,Покажи Sidebar apps/frappe/frappe/website/doctype/web_form/web_form.py +128,You need to be logged in to access this {0}.,"Трябва да сте влезли, за да получите достъп до този {0}." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +142,Complete By,Завършен от apps/frappe/frappe/templates/includes/comments/comments.py +48,{0} by {1},{0} от {1} -apps/frappe/frappe/utils/password_strength.py +169,All-uppercase is almost as easy to guess as all-lowercase.,"All-главни букви е почти толкова лесно да се отгатне, тъй като всички-малки." +apps/frappe/frappe/utils/password_strength.py +171,All-uppercase is almost as easy to guess as all-lowercase.,"All-главни букви е почти толкова лесно да се отгатне, тъй като всички-малки." DocType: Feedback Trigger,Email Fieldname,Email FIELDNAME DocType: Website Settings,Top Bar Items,Топ Бар артикули apps/frappe/frappe/email/doctype/email_account/email_account.py +53,"Email id must be unique, Email Account is already exist \ @@ -2335,19 +2346,17 @@ DocType: Page,Yes,Да DocType: DocType,Max Attachments,Максимален брой прикачени файлове DocType: Desktop Icon,Page,Страница apps/frappe/frappe/utils/bot.py +145,Could not find {0} in {1},Не можах да намеря {0} в {1} -apps/frappe/frappe/utils/password_strength.py +161,Names and surnames by themselves are easy to guess.,Имена и фамилии сами по себе си са лесни за отгатване. +apps/frappe/frappe/utils/password_strength.py +163,Names and surnames by themselves are easy to guess.,Имена и фамилии сами по себе си са лесни за отгатване. apps/frappe/frappe/config/website.py +93,Knowledge Base,База от знание DocType: Workflow State,briefcase,куфарче apps/frappe/frappe/model/base_document.py +561,Value cannot be changed for {0},"Стойността не може да бъде променяна, за {0}" -apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.","Вие като че ли съм написал името си, вместо на вашия имейл. \ Моля, въведете валиден имейл адрес, така че да можем да се върнем." DocType: Feedback Request,Is Manual,Дали Manual DocType: Workflow State,"Style represents the button color: Success - Green, Danger - Red, Inverse - Black, Primary - Dark Blue, Info - Light Blue, Warning - Orange","Style представлява цвета на бутона: Success - Green, Danger - Red, Inverse - Черно, Основно - Тъмно син, Info - Light Blue, Предупреждение - Orange" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +158,No Report Loaded. Please use query-report/[Report Name] to run a report.,"Не Доклад зареден. Моля, използвайте заявка-доклад / [Докладвай Name], за да изготвите отчет." DocType: Workflow Transition,Workflow Transition,Workflow Transition apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +53,{0} months ago,Преди {0} месеца apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,Създаден от -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +92,Dropbox Setup,Dropbox Setup +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +90,Dropbox Setup,Dropbox Setup DocType: Workflow State,resize-horizontal,преоразмеряване-хоризонтална DocType: Note,Content,Съдържание apps/frappe/frappe/public/js/frappe/views/treeview.js +261,Group Node,Група - Елемент @@ -2355,6 +2364,7 @@ DocType: Communication,Notification,нотификация DocType: Web Form,Go to this url after completing the form.,"Отиди на този адрес, след попълването на формуляра." DocType: DocType,Document,Документ apps/frappe/frappe/core/doctype/doctype/doctype.py +186,Series {0} already used in {1},Номерация {0} вече се използва в {1} +apps/frappe/frappe/core/page/data_import_tool/importer.py +225,Unsupported File Format,Неподдържан файлов формат DocType: DocField,Code,Код DocType: Workflow,"All possible Workflow States and roles of the workflow. Docstatus Options: 0 is""Saved"", 1 is ""Submitted"" and 2 is ""Cancelled""","Всичко е възможно Workflow членки и роли на работния процес. Docstatus варианти: 0 е "Saved", 1 е "Внесена" и 2 е "Анулирани"" DocType: Website Theme,Footer Text Color,Footer Текст Color @@ -2379,17 +2389,17 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +45,just now,точно DocType: Footer Item,Policy,Полица apps/frappe/frappe/integrations/utils.py +76,{0} Settings not found,{0} Настройки не са намерени DocType: Module Def,Module Def,Модул Дефиниция -apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,Done,Свършен apps/frappe/frappe/core/doctype/communication/communication.js +61,Reply,Отговор apps/frappe/frappe/config/core.py +22,Pages in Desk (place holders),Страници в Desk (място притежателите) DocType: DocField,Collapsible Depends On,Свиваем - зависи от DocType: Print Settings,Allow page break inside tables,Оставя почивка страница вътре маси DocType: Email Account,SMTP Server,SMTP сървър DocType: Print Format,Print Format Help,Print Format Помощ +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +63,Update the template and save in downloaded format before attaching.,"Актуализирайте шаблона и го запазете в изтегления формат, преди да го прикачите." apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +852,With Groups,С групи DocType: DocType,Beta,Бета apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +22,restored {0} as {1},възстановено {0} като {1} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Ако обновявате, моля изберете "Презаписване" друго съществуващи редове няма да бъдат изтрити." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +71,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Ако обновявате, моля изберете "Презаписване" друго съществуващи редове няма да бъдат изтрити." DocType: Event,Every Month,Всеки Месец DocType: Letter Head,Letter Head in HTML,Бланка в HTML DocType: Web Form,Web Form,Web Form @@ -2412,14 +2422,14 @@ apps/frappe/frappe/public/js/frappe/socketio_client.js +51,Progress,прогре apps/frappe/frappe/public/js/frappe/form/workflow.js +32, by Role ,от Роля apps/frappe/frappe/public/js/frappe/form/save.js +148,Missing Fields,липсващи полета apps/frappe/frappe/core/doctype/doctype/doctype.py +176,Invalid fieldname '{0}' in autoname,Невалиден FIELDNAME "{0}" в autoname -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Search in a document type,Търсене във вида на документ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +257,Allow field to remain editable even after submission,"Оставя се поле, за да остане редактира дори след подаването" +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,Search in a document type,Търсене във вида на документ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +258,Allow field to remain editable even after submission,"Оставя се поле, за да остане редактира дори след подаването" DocType: Custom DocPerm,Role and Level,Роля и Ниво DocType: File,Thumbnail URL,Thumbnail URL apps/frappe/frappe/desk/moduleview.py +37,Custom Reports,Персонализирани отчети DocType: Website Script,Website Script,Website Script apps/frappe/frappe/config/setup.py +182,Customized HTML Templates for printing transactions.,Персонализиран HTML шаблон за печат на транзакции. -apps/frappe/frappe/public/js/frappe/form/print.js +247,Orientation,ориентация +apps/frappe/frappe/public/js/frappe/form/print.js +250,Orientation,ориентация DocType: Workflow,Is Active,Е активен apps/frappe/frappe/desk/form/utils.py +91,No further records,Няма повече записи DocType: DocField,Long Text,Дълъг текст @@ -2443,7 +2453,6 @@ apps/frappe/frappe/templates/includes/contact.js +30,Thank you for your message, apps/frappe/frappe/public/js/frappe/views/communication.js +68,Send Read Receipt,Изпрати прочетен Разписка DocType: Stripe Settings,Stripe Settings,Настройки на ивицата DocType: Dropbox Settings,Dropbox Setup via Site Config,Dropbox Setup чрез сайта Config -apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,"Не бе намерен стандартният шаблон за адреси. Моля, създайте нов от Setup> Printing and Branding> Address Template." apps/frappe/frappe/www/login.py +64,Invalid Login Token,Невалиден токън за вход apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +48,1 hour ago,преди 1 час DocType: Social Login Keys,Frappe Client ID,Frappe Client ID @@ -2464,7 +2473,7 @@ DocType: Address Template,"

    Default Template

    {% if email_id %}Email: {{ email_id }}<br>{% endif -%} ","

    Default Template

    Използва Джинджа темплейт и във всички сфери на адрес (включително Потребителски полета, ако има такъв) ще бъде на разположение

     {{ address_line1 }}<br> {% if address_line2 %}{{ address_line2 }}<br>{% endif -%} {{ city }}<br> {% if state %}{{ state }}<br>{% endif -%} {% if pincode %} PIN: {{ pincode }}<br>{% endif -%} {{ country }}<br> {% if phone %}Phone: {{ phone }}<br>{% endif -%} {% if fax %}Fax: {{ fax }}<br>{% endif -%} {% if email_id %}Email: {{ email_id }}<br>{% endif -%} 
    " DocType: Role,Role Name,Роля Име -apps/frappe/frappe/website/js/website.js +379,Switch To Desk,Превключване към бюрото +apps/frappe/frappe/website/js/website.js +376,Switch To Desk,Превключване към бюрото apps/frappe/frappe/config/core.py +27,Script or Query reports,Script или Query доклади DocType: Workflow Document State,Workflow Document State,Workflow Document членка apps/frappe/frappe/public/js/frappe/request.js +115,File too big,Файлът е твърде голям @@ -2477,14 +2486,14 @@ apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel befor apps/frappe/frappe/www/printview.py +205,Print Format {0} is disabled,Print Format {0} е деактивиран DocType: Email Alert,Send days before or after the reference date,Изпрати дни преди или след референтната дата DocType: User,Allow user to login only after this hour (0-24),Позволи на потребителя да се логнете само след този час (0-24) -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Value,Стойност -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +166,Click here to verify,"Кликнете тук, за да потвърдите" -apps/frappe/frappe/utils/password_strength.py +172,Predictable substitutions like '@' instead of 'a' don't help very much.,Предвидими замествания като "@" вместо "а" не помагат много. +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Value,Стойност +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +165,Click here to verify,"Кликнете тук, за да потвърдите" +apps/frappe/frappe/utils/password_strength.py +174,Predictable substitutions like '@' instead of 'a' don't help very much.,Предвидими замествания като "@" вместо "а" не помагат много. apps/frappe/frappe/desk/doctype/todo/todo_list.js +22,Assigned By Me,Възложени от мен apps/frappe/frappe/core/doctype/doctype/doctype.py +80,Not in Developer Mode! Set in site_config.json or make 'Custom' DocType.,Не е в режим на програмиста! Разположен в site_config.json или да направите "по поръчка" DocType. DocType: Workflow State,globe,глобус DocType: System Settings,dd.mm.yyyy,дд.мм.гггг -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +249,Hide field in Standard Print Format,Скриване на поле в стандартен формат за печат +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +250,Hide field in Standard Print Format,Скриване на поле в стандартен формат за печат DocType: ToDo,Priority,Приоритет DocType: Email Queue,Unsubscribe Param,Отписване Парам DocType: Auto Email Report,Weekly,Седмично @@ -2497,10 +2506,10 @@ DocType: Contact,Purchase Master Manager,Покупка Майстор на ме DocType: Module Def,Module Name,Модул име DocType: DocType,DocType is a Table / Form in the application.,DocType е таблица / Form в заявлението. DocType: Email Account,GMail,GMail -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,{0} Report,{0} Доклад +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +111,{0} Report,{0} Доклад DocType: Communication,SMS,SMS DocType: DocType,Web View,уеб View -apps/frappe/frappe/public/js/frappe/form/print.js +166,Warning: This Print Format is in old style and cannot be generated via the API.,Внимание: Този формат за печат е в стар стил и не може да бъде генериран чрез API. +apps/frappe/frappe/public/js/frappe/form/print.js +169,Warning: This Print Format is in old style and cannot be generated via the API.,Внимание: Този формат за печат е в стар стил и не може да бъде генериран чрез API. DocType: DocField,Print Width,Print Width ,Setup Wizard,Wizard Setup DocType: User,Allow user to login only before this hour (0-24),Позволи на потребителя да се логнете само преди този час (0-24) @@ -2532,14 +2541,14 @@ apps/frappe/frappe/utils/csvutils.py +35,Invalid CSV Format,Невалиден C DocType: Address,Name of person or organization that this address belongs to.,"Име на лицето или организацията, на което този адрес принадлежи." apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,Определете брой резервни копия DocType: DocField,Do not allow user to change after set the first time,Да не се допуска потребител да се промени след задаване за първи път -apps/frappe/frappe/public/js/frappe/upload.js +247,Private or Public?,Private или Public? -apps/frappe/frappe/utils/data.py +535,1 year ago,Преди 1 година +apps/frappe/frappe/public/js/frappe/upload.js +251,Private or Public?,Private или Public? +apps/frappe/frappe/utils/data.py +536,1 year ago,Преди 1 година DocType: Contact,Contact,Контакт DocType: User,Third Party Authentication,Автентикация от трета страна DocType: Website Settings,Banner is above the Top Menu Bar.,Рекламата е над Top Menu Bar. DocType: Razorpay Settings,API Secret,API Secret -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +726,Export Report: ,Export Доклад: -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +672,{0} {1} does not exist,{0} {1} не съществува +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +853,Export Report: ,Export Доклад: +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +674,{0} {1} does not exist,{0} {1} не съществува DocType: Email Account,Port,Порт DocType: Print Format,Arial,Arial apps/frappe/frappe/config/core.py +12,Models (building blocks) of the Application,Модели (строителни блокове) на приложението @@ -2571,9 +2580,9 @@ DocType: DocField,Display Depends On,Дисплей зависи от DocType: Web Page,Insert Code,Вмъкни код DocType: ToDo,Low,Нисък apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +697,You can add dynamic properties from the document by using Jinja templating.,"Можете да добавите динамични свойства на документа, с помощта Джинджа темплейт." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,List a document type,Списък на тип документ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,List a document type,Списък на тип документ DocType: Event,Ref Type,Ref Type -apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,"If you are uploading new records, leave the ""name"" (ID) column blank.","Ако качвате нови рекорди, оставете "име" (ID) колона заготовката." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, leave the ""name"" (ID) column blank.","Ако качвате нови рекорди, оставете "име" (ID) колона заготовката." apps/frappe/frappe/config/core.py +47,Errors in Background Events,Грешки в Background Събития apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +399,No of Columns,Брои колони DocType: Workflow State,Calendar,Календар @@ -2588,7 +2597,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +106,Unable to load: {0},Не apps/frappe/frappe/config/integrations.py +28,Backup,Резервно копие apps/frappe/frappe/core/page/usage_info/usage_info.html +3,Expires in {0} days,Изтича в {0} дни DocType: DocField,Read Only,Само За Четене -apps/frappe/frappe/email/doctype/email_group/email_group.js +43,New Newsletter,Нов бюлетин +apps/frappe/frappe/email/doctype/email_group/email_group.js +45,New Newsletter,Нов бюлетин DocType: Print Settings,Send Print as PDF,Изпрати Принтирай като PDF DocType: Web Form,Amount,Стойност DocType: Workflow Transition,Allowed,Позволен @@ -2602,14 +2611,14 @@ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filt apps/frappe/frappe/core/doctype/doctype/doctype.py +654,{0}: Permission at level 0 must be set before higher levels are set,{0}: Разрешение на ниво 0 трябва да бъде зададено преди да се определят по-високи нива apps/frappe/frappe/desk/doctype/todo/todo.py +28,Assignment closed by {0},Възлагане затворено от {0} DocType: Integration Request,Remote,отдалечен -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +140,Calculate,Изчисли +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Calculate,Изчисли apps/frappe/frappe/printing/doctype/print_format/print_format.js +28,Please select DocType first,"Моля, изберете DocType първо" -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +174,Confirm Your Email,Потвърдете Вашият Email -apps/frappe/frappe/www/login.html +37,Or login with,Или влезте с +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +173,Confirm Your Email,Потвърдете Вашият Email +apps/frappe/frappe/www/login.html +42,Or login with,Или влезте с DocType: Error Snapshot,Locals,Местните жители apps/frappe/frappe/desk/page/activity/activity_row.html +19,Communicated via {0} on {1}: {2},Съобщено посредством {0} от {1}: {2} apps/frappe/frappe/core/doctype/communication/comment.py +85,{0} mentioned you in a comment in {1},{0} ви спомена в коментар в {1} -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,напр (55 + 434) / 4 или = Math.sin (Math.PI / 2) ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,напр (55 + 434) / 4 или = Math.sin (Math.PI / 2) ... apps/frappe/frappe/model/naming.py +45,{0} is required,{0} е задължително DocType: Integration Request,Integration Type,Вид интеграция DocType: Newsletter,Send Attachements,Изпрати прикачванията @@ -2621,10 +2630,11 @@ DocType: Web Page,Web Page,Уеб Страница DocType: Blog Category,Blogger,Списвач на блог apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},"В глобалното търсене" не е разрешено за тип {0} на ред {1} apps/frappe/frappe/public/js/frappe/views/treeview.js +297,View List,Вижте Списък -apps/frappe/frappe/public/js/frappe/form/control.js +685,Date must be in format: {0},Датата трябва да бъде във формат: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +686,Date must be in format: {0},Датата трябва да бъде във формат: {0} DocType: Workflow,Don't Override Status,Не променяй статуса apps/frappe/frappe/www/feedback.html +90,Please give a rating.,"Моля, дайте оценка." apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} Заявка за Обратна връзка +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +26,Search term,Дума за търсене apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +548,The First User: You,Първият потребител: Вие apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +32,Select Columns,Изберете Колони DocType: Translation,Source Text,Източник Текст @@ -2636,15 +2646,15 @@ apps/frappe/frappe/config/website.py +37,Single Post (article).,Single Post (с apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +10,Reports,Справки DocType: Page,No,Не DocType: Property Setter,Set Value,Зададена стойност -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +245,Hide field in form,Скриване поле във форма -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +93,Illegal Access Token. Please try again,"Неправомерен токън за достъп. Моля, опитайте отново" +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +246,Hide field in form,Скриване поле във форма +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +91,Illegal Access Token. Please try again,"Неправомерен токън за достъп. Моля, опитайте отново" apps/frappe/frappe/public/js/frappe/desk.js +93,"The application has been updated to a new version, please refresh this page","Заявлението беше обновен до нова версия, моля обновите тази страница" apps/frappe/frappe/core/doctype/communication/communication.js +35,Resend,Повторно изпращане DocType: Feedback Trigger,Optional: The alert will be sent if this expression is true,"По желание: Сигналът ще бъде изпратен, ако този израз е вярно" DocType: Print Settings,Print with letterhead,Печат с бланки DocType: Unhandled Email,Raw Email,Raw Email apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,Изберете записа за присвояване -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +135,Importing,Импортиране +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +138,Importing,Импортиране DocType: ToDo,Assigned By,Възложени от apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +27,You can use Customize Form to set levels on fields.,Можете да използвате Customize Форма за да зададете нивото на полета. DocType: Custom DocPerm,Level,Ниво @@ -2676,7 +2686,7 @@ apps/frappe/frappe/core/doctype/user/user.py +229,Password Reset,Задаван DocType: Communication,Opened,Отворен DocType: Workflow State,chevron-left,Стрелка-ляво DocType: Communication,Sending,Изпращане -apps/frappe/frappe/auth.py +228,Not allowed from this IP Address,Не е позволено от този IP адрес +apps/frappe/frappe/auth.py +231,Not allowed from this IP Address,Не е позволено от този IP адрес DocType: Website Slideshow,This goes above the slideshow.,Това се отнася по-горе слайдшоу. apps/frappe/frappe/config/setup.py +254,Install Applications.,Инсталиране на приложения. DocType: User,Last Name,Фамилия @@ -2691,7 +2701,6 @@ DocType: Address,State,Състояние DocType: Workflow Action,Workflow Action,Workflow Action DocType: DocType,"Image Field (Must of type ""Attach Image"")",Полето за изображение (трябва от тип "Прикачете изображение") apps/frappe/frappe/utils/bot.py +43,I found these: ,Намерих тези: -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +692,Set Sort,Определете Сортиране DocType: Event,Send an email reminder in the morning,Изпращане на електронна поща напомняне на сутринта DocType: Blog Post,Published On,Публикуван на DocType: User,Gender,Пол @@ -2709,13 +2718,15 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +30 DocType: Workflow State,warning-sign,предупредителен-знак DocType: Workflow State,User,Потребител DocType: Website Settings,"Show title in browser window as ""Prefix - title""",Покажи заглавие в прозореца на браузъра като "Prefix - заглавие" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,text in document type,текст на вида документ +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,text in document type,текст на вида документ apps/frappe/frappe/handler.py +91,Logged Out,Излязохте -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +236,More...,Повече... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +237,More...,Повече... +DocType: System Settings,User can login using Email id or Mobile number,Потребителят може да влезе с имейл или мобилен номер DocType: Bulk Update,Update Value,Актуализация на стойността apps/frappe/frappe/core/doctype/communication/communication.js +73,Mark as {0},Маркиране като {0} apps/frappe/frappe/model/rename_doc.py +25,Please select a new name to rename,"Моля, изберете ново име, което да преименувате" apps/frappe/frappe/public/js/frappe/request.js +136,Something went wrong,Нещо се обърка +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +186,Only {0} entries shown. Please filter for more specific results.,"Показват се само {0} записа. Моля, филтрирайте за по-конкретни резултати." DocType: System Settings,Number Format,Number Format DocType: Auto Email Report,Frequency,честота DocType: Custom Field,Insert After,Вмъкни след @@ -2730,8 +2741,9 @@ DocType: Workflow State,cog,зъб apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +89,Sync on Migrate,Синхронизиране при миграция apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +64,Currently Viewing,В момента разглеждат DocType: DocField,Default,Неустойка -apps/frappe/frappe/public/js/frappe/form/link_selector.js +140,{0} added,{0} добавен -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +133,Please save the report first,"Моля, запишете справката първо" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +143,{0} added,{0} добавен +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +209,Search for '{0}',Търсене за '{0}' +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +134,Please save the report first,"Моля, запишете справката първо" apps/frappe/frappe/email/doctype/email_group/email_group.py +42,{0} subscribers added,Добавени {0} абонати apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +9,Not In,Не в DocType: Workflow State,star,звезда @@ -2750,7 +2762,7 @@ DocType: Address,Office,Офис apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,Това Kanban табло ще бъде частно apps/frappe/frappe/desk/moduleview.py +73,Standard Reports,Стандартни отчети DocType: User,Email Settings,Email настройки -apps/frappe/frappe/public/js/frappe/desk.js +345,Please Enter Your Password to Continue,"Моля, въведете паролата си, за да продължите" +apps/frappe/frappe/public/js/frappe/desk.js +347,Please Enter Your Password to Continue,"Моля, въведете паролата си, за да продължите" apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +99,Not a valid LDAP user,Не е валидно потребителско LDAP apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} не е валидна Област apps/frappe/frappe/integrations/doctype/paypal_settings/paypal_settings.py +90,Please select another payment method. PayPal does not support transactions in currency '{0}',"Моля, изберете друг начин на плащане. PayPal не поддържа транзакции с валута "{0}"" @@ -2771,7 +2783,7 @@ DocType: DocField,Unique,Уникален apps/frappe/frappe/public/js/frappe/form/quick_entry.js +97,Ctrl+enter to save,"Ctrl + Enter, за да запазите" DocType: Email Account,Service,Обслужване DocType: File,File Name,Име На Файл -apps/frappe/frappe/core/page/data_import_tool/importer.py +349,Did not find {0} for {0} ({1}),Не намерихте {0} за {0} ({1}) +apps/frappe/frappe/core/page/data_import_tool/importer.py +365,Did not find {0} for {0} ({1}),Не намерихте {0} за {0} ({1}) apps/frappe/frappe/utils/bot.py +176,"Oops, you are not allowed to know that","Опа, не ви е позволено да се знае, че" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +17,Next,Следващ apps/frappe/frappe/config/setup.py +39,Set Permissions per User,Задаване на разрешения за потребител @@ -2780,9 +2792,9 @@ apps/frappe/frappe/printing/doctype/print_format/print_format.js +26,Edit Format apps/frappe/frappe/core/doctype/user/user.py +245,Complete Registration,Пълна Регистрация apps/frappe/frappe/public/js/frappe/form/toolbar.js +189,New {0} (Ctrl+B),Нов {0} (Ctrl + B) apps/frappe/frappe/website/doctype/website_theme/website_theme.py +40,Top Bar Color and Text Color are the same. They should be have good contrast to be readable.,Top Bar Цвят и Цвят на текста са еднакви. Те трябва да се имат добра разлика може да се чете. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,You can only upload upto 5000 records in one go. (may be less in some cases),Можете да качите само до запълването 5000 записи с един замах. (Може да бъде по-малко в някои случаи) +apps/frappe/frappe/core/page/data_import_tool/exporter.py +68,You can only upload upto 5000 records in one go. (may be less in some cases),Можете да качите само до запълването 5000 записи с един замах. (Може да бъде по-малко в някои случаи) apps/frappe/frappe/model/document.py +159,Insufficient Permission for {0},Недостатъчно разрешение за {0} -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +763,Report was not saved (there were errors),Справката не беше запазена (имаше грешки) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +764,Report was not saved (there were errors),Справката не беше запазена (имаше грешки) apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +25,Numerically Ascending,Изразено в числа Възходящ DocType: Print Settings,Print Style,Print Style apps/frappe/frappe/public/js/frappe/form/linked_with.js +51,Not Linked to any record,Не е свързан с никакви записи @@ -2795,7 +2807,7 @@ apps/frappe/frappe/public/js/frappe/change_log.html +7,updated to {0},актуа DocType: User,Desktop Background,Фон на работния плот DocType: Portal Settings,Custom Menu Items,Персонализирани елементи на менюто DocType: Workflow State,chevron-right,Стрелка-надясно -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +214,"Change type of field. (Currently, Type change is \ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +215,"Change type of field. (Currently, Type change is \ allowed among 'Currency and Float')","Промяна на типа на полето. (В момента, промяна на типа е \ разрешен между ""Валута и Число"")" apps/frappe/frappe/website/doctype/web_form/web_form.py +35,You need to be in developer mode to edit a Standard Web Form,"Трябва да сте в режим разработчик, за да редактирате стандартна уеб форма" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +53,"For comparative filters, start with","За сравнителни филтри, започнете с" @@ -2807,12 +2819,13 @@ DocType: Web Page,Header and Description,Заглавие и Описание apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,Изисква се въвеждане на двете: потребителско име и парола apps/frappe/frappe/model/document.py +540,Please refresh to get the latest document.,"Моля, опреснете, за да получите най-новата документа." DocType: User,Security Settings,Настройки за сигурност -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +855,Add Column,Добави Колона +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +856,Add Column,Добави Колона ,Desktop,Работен плот +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +727,Export Report: {0},Експортиран отчет: {0} DocType: Auto Email Report,Filter Meta,Филтър Meta DocType: Web Form,Text to be displayed for Link to Web Page if this form has a web page. Link route will be automatically generated based on `page_name` and `parent_website_route`,"Текст, за да бъде показана за Линк към Web Page ако този формуляр има уеб страница. Link маршрут автоматично ще се генерира на базата на `page_name` и` parent_website_route`" DocType: Feedback Request,Feedback Trigger,Обратна връзка Trigger -apps/frappe/frappe/public/js/frappe/form/control.js +1594,Please set {0} first,"Моля, задайте {0} първа" +apps/frappe/frappe/public/js/frappe/form/control.js +1595,Please set {0} first,"Моля, задайте {0} първа" DocType: Unhandled Email,Message-id,Message-ID DocType: Patch Log,Patch,Кръпка DocType: Async Task,Failed,Не успя diff --git a/frappe/translations/bn.csv b/frappe/translations/bn.csv index 1699fa3b19..a31ea9e206 100644 --- a/frappe/translations/bn.csv +++ b/frappe/translations/bn.csv @@ -1,5 +1,5 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,একটি পরিমাণ ক্ষেত্র নির্বাচন করুন. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,Esc চাপুন প্রেস বন্ধ করার +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,Esc চাপুন প্রেস বন্ধ করার apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}","একটি নতুন টাস্ক, {0}, {1} দ্বারা আপনার জন্য নির্দিষ্ট করা হয়েছে. {2}" DocType: Email Queue,Email Queue records.,ইমেল সারি রেকর্ড. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,পোস্ট @@ -48,7 +48,7 @@ apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}","{0}, সারি apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,একটি FULLNAME দিন দয়া করে। apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,ফাইল আপলোড করার সময় ত্রুটি. apps/frappe/frappe/model/document.py +908,Beginning with,শুরু -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,ডেটা আমদানি টেমপ্লেট +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,ডেটা আমদানি টেমপ্লেট apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,মাতা DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.","সক্রিয় করা হলে, পাসওয়ার্ড ক্ষমতা নূন্যতম পাসওয়ার্ড স্কোরের মান উপর ভিত্তি করে প্রয়োগ করা হবে। 2 এর একটি মান মাঝারি শক্তিশালী হচ্ছে এবং 4 খুব শক্তিশালী হচ্ছে।" DocType: About Us Settings,"""Team Members"" or ""Management""","টিম সদস্য" বা "ম্যানেজমেন্ট" @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,টে DocType: Auto Email Report,Monthly,মাসিক DocType: Email Account,Enable Incoming,ইনকামিং সক্রিয় apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,ঝুঁকি -apps/frappe/frappe/www/login.html +19,Email Address,ইমেল ঠিকানা +apps/frappe/frappe/www/login.html +22,Email Address,ইমেল ঠিকানা DocType: Workflow State,th-large,ম-বড় DocType: Communication,Unread Notification Sent,প্রেরিত অপঠিত বিজ্ঞপ্তি apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,রপ্তানি অনুমোদিত নয়. আপনি এক্সপোর্ট করতে {0} ভূমিকা প্রয়োজন. DocType: DocType,Is Published Field,প্রকাশিত ক্ষেত্র DocType: Email Group,Email Group,ই-মেইল গ্রুপ DocType: Note,Seen By,দ্বারা দেখা -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,এমন না -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,ক্ষেত্রের জন্য প্রদর্শনের লেবেল সেট +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,এমন না +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,ক্ষেত্রের জন্য প্রদর্শনের লেবেল সেট apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},ভুল মান: {0} হতে হবে {1} {2} apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)","পরিবর্তন ক্ষেত্রের বৈশিষ্ট্য (আড়াল, কেবলমাত্র অনুমতি ইত্যাদি)" apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,সামাজিক লগইন কি সংজ্ঞায়িত ফ্র্যাপে সার্ভারের URL @@ -76,8 +76,8 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,আমা apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,অ্যাডমিনিস্ট্রেটর লগ ইন DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.","ইত্যাদি "সেলস কোয়েরি, সাপোর্ট ক্যোয়ারী" মত যোগাযোগ অপশন, একটি নতুন লাইন প্রতিটি বা কমা দ্বারা পৃথকীকৃত." apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. ডাউনলোড -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,সন্নিবেশ -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},নির্বাচন {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,সন্নিবেশ +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},নির্বাচন {0} DocType: Print Settings,Classic,সর্বোত্তম DocType: Desktop Icon,Color,রঙ apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,রেঞ্জ জন্য @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,দ্বারা LDAP অনুস DocType: Translation,Translation,অনুবাদ apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,ইনস্টল DocType: Custom Script,Client,মক্কেল -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,আপনি এটা লোড হওয়ার পরে এই ফর্ম পরিবর্তন করা হয়েছে +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,আপনি এটা লোড হওয়ার পরে এই ফর্ম পরিবর্তন করা হয়েছে DocType: User Permission for Page and Report,User Permission for Page and Report,পেজ এবং প্রতিবেদনের জন্য ব্যবহারকারীর অনুমোদন DocType: System Settings,"If not set, the currency precision will depend on number format","যদি সেট না করা, মুদ্রা স্পষ্টতা নম্বর বিন্যাস উপর নির্ভর করবে" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',সন্ধান করা ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,ওয়েবসাইটের পেজ এম্বেড ইমেজ স্লাইডশো. -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,পাঠান +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,পাঠান DocType: Workflow Action,Workflow Action Name,কর্মপ্রবাহ কর্ম নাম apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,DOCTYPE মার্জ করা যাবে না DocType: Web Form Field,Fieldtype,Fieldtype apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,না একটি জিপ ফাইল +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} বছর (গুলি) আগে apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}","আবশ্যিক টেবিল {0} এর মধ্যে প্রয়োজনীয় ক্ষেত্রগুলি, সারি {1}" -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,ক্যাপিটালাইজেশন খুব সাহায্য করে না. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,ক্যাপিটালাইজেশন খুব সাহায্য করে না. DocType: Error Snapshot,Friendly Title,বন্ধুত্বপূর্ণ শিরোনাম DocType: Newsletter,Email Sent?,ইমেইল পাঠানো? DocType: Authentication Log,Authentication Log,প্রমাণীকরণ লগ @@ -138,7 +138,7 @@ DocType: OAuth Bearer Token,Refresh Token,সুদ্ধ করুন টোক apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,আপনি DocType: Website Theme,lowercase,ছোট হাতের DocType: Print Format,Helvetica,Helvetica -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,নিউজলেটার ইতিমধ্যে পাঠানো হয়েছে +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,নিউজলেটার ইতিমধ্যে পাঠানো হয়েছে DocType: Unhandled Email,Reason,কারণ apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,ব্যবহারকারী উল্লেখ করুন DocType: Email Unsubscribe,Email Unsubscribe,ইমেইল আনসাবস্ক্রাইব @@ -147,30 +147,30 @@ apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multip apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,সিস্টেম ম্যানেজার হয়ে যাবে প্রথম ব্যবহারকারী (আপনি পরে তা পরিবর্তন করতে পারবেন). ,App Installer,অ্যাপ্লিকেশন ইনস্টলার DocType: Workflow State,circle-arrow-up,বৃত্ত-তীর-আপ -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,আপলোড হচ্ছে ... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,আপলোড হচ্ছে ... DocType: Email Domain,Email Domain,ইমেল ডোমেন DocType: Workflow State,italic,বাঁকা ছাঁদে গঠিত apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,সকলের জন্যে apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,{0}: তৈরি ছাড়া আমদানি সেট করা যায় না apps/frappe/frappe/config/desk.py +26,Event and other calendars.,ঘটনা এবং অন্যান্য ক্যালেন্ডার. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,কলাম সাজাতে ড্র্যাগ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,কলাম সাজাতে ড্র্যাগ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,প্রস্থ px এর বা% নির্ধারণ করা যাবে. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,শুরু +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,শুরু DocType: User,First Name,প্রথম নাম DocType: LDAP Settings,LDAP Username Field,দ্বারা LDAP ব্যবহারকারীর নাম ক্ষেত্র DocType: Portal Settings,Standard Sidebar Menu,স্ট্যান্ডার্ড সাইডবার মেনু apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,বাড়ি ও সংযুক্তি ফোল্ডার মুছে ফেলা যায় না apps/frappe/frappe/config/desk.py +19,Files,নথি পত্র apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,অনুমতি তারা নির্ধারিত হয় কি ভূমিকা উপর ভিত্তি করে ব্যবহারকারী উপর প্রয়োগ করা হয়. -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,আপনি এই নথির সাথে সম্পর্কিত ইমেল পাঠাতে অনুমতি দেওয়া হয় না +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,আপনি এই নথির সাথে সম্পর্কিত ইমেল পাঠাতে অনুমতি দেওয়া হয় না apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,দয়া করে {0} সাজাতে / গ্রুপ থেকে অন্তত 1 টি কলাম নির্বাচন DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,এই চেক আপনি আপনার পেমেন্ট স্যান্ডবক্স API ব্যবহার করে পরীক্ষা করা হয় যদি apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,আপনি একটি প্রমিত ওয়েবসাইট বিষয়বস্তু মুছে দিতে অনুমতি দেওয়া হয় না DocType: Feedback Trigger,Example,উদাহরণ DocType: Workflow State,gift,উপহার -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Reqd +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Reqd apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},সংযুক্তি খুঁজে পেতে অসমর্থ {0} -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,ক্ষেত্রের একটি অনুমতি স্তর নির্ধারণ করুন. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,ক্ষেত্রের একটি অনুমতি স্তর নির্ধারণ করুন. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,মুছে ফেলা যায়নি apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,রিসোর্স খুঁজছ উপলব্ধ নয় apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,প্রদর্শন করুন / আড়াল মডিউল @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,প্রদর্শন DocType: Email Group,Total Subscribers,মোট গ্রাহক apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.","একটি ভূমিকা শ্রেনী 0 প্রবেশাধিকার নেই, তাহলে উচ্চ মাত্রার অর্থহীন." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,সংরক্ষণ করুন +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,সংরক্ষণ করুন DocType: Communication,Seen,দেখা -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,অধিক বিবরণের দেখাও +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,অধিক বিবরণের দেখাও DocType: System Settings,Run scheduled jobs only if checked,চেক যদি শুধুমাত্র নির্ধারিত কাজ চালান apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,শুধুমাত্র যদি অধ্যায় শিরোনামের সক্রিয় করা হয় প্রদর্শন করা হবে apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,সংরক্ষাণাগার @@ -240,7 +240,7 @@ apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,দ DocType: Web Form,Button Help,বোতাম সাহায্য DocType: Kanban Board Column,purple,রক্তবর্ণ DocType: About Us Settings,Team Members,দলের সদস্যরা -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,কোন ফাইল সংযুক্ত বা একটি URL সেট করুন +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,কোন ফাইল সংযুক্ত বা একটি URL সেট করুন DocType: Async Task,System Manager,সিস্টেম ম্যানেজার DocType: Custom DocPerm,Permissions,অনুমতি DocType: Dropbox Settings,Allow Dropbox Access,ড্রপবক্স ব্যবহারের অনুমতি @@ -263,7 +263,7 @@ apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,আপলো DocType: Block Module,Block Module,ব্লক মডিউল apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,রপ্তানি টেমপ্লেট apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,নতুন মান -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,কোন অনুমতি সম্পাদনা করতে +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,কোন অনুমতি সম্পাদনা করতে apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,একটি কলাম যোগ apps/frappe/frappe/www/contact.html +30,Your email address,আপনার ইমেইল ঠিকানা DocType: Desktop Icon,Module,মডিউল @@ -273,11 +273,11 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,টেবিল DocType: Email Account,Total number of emails to sync in initial sync process ,ইমেইলের মোট সংখ্যা প্রাথমিক সিঙ্ক প্রক্রিয়ায় সিঙ্ক করার জন্য DocType: Website Settings,Set Banner from Image,চিত্র থেকে সেট ব্যানার -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,গ্লোবাল অনুসন্ধান +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,গ্লোবাল অনুসন্ধান DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},একটি নতুন অ্যাকাউন্ট তৈরি এ আপনার জন্য তৈরি করা হয়েছে {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,নির্দেশাবলী ইমেল করা -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),প্রবেশ করুন প্রাপক (গুলি) +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),প্রবেশ করুন প্রাপক (গুলি) DocType: Print Format,Verdana,ভার্ডানা DocType: Email Flag Queue,Email Flag Queue,ইমেল পতাকা সারি apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,খোলা চিহ্নিত করা যাবে না {0}. অন্য কিছু করার চেষ্টা করুন. @@ -291,13 +291,13 @@ DocType: Communication,Message ID,বার্তা আইডি DocType: Property Setter,Field Name,ক্ষেত্র নাম apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,কোন ফল apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,বা -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,মডিউল নাম ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,মডিউল নাম ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,চালিয়ে DocType: Custom Field,Fieldname,ক্ষেত্র নাম DocType: Workflow State,certificate,শংসাপত্র DocType: User,Tile,টালি apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,যাচাই করা হচ্ছে ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,প্রথম ডাটা কলাম ফাঁকা রাখা আবশ্যক. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,প্রথম ডাটা কলাম ফাঁকা রাখা আবশ্যক. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,সব সংস্করণ প্রদর্শন করা হবে DocType: Workflow State,Print,ছাপা DocType: User,Restrict IP,আইপি সীমাবদ্ধ @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,সেলস ম্যানেজার apps/frappe/frappe/www/complete_signup.html +13,One Last Step,গত এক ধাপ apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,ডকুমেন্ট টাইপ (DOCTYPE) যদি এই ক্ষেত্রের সাথে যুক্ত হতে চান নাম. যেমন গ্রাহক DocType: User,Roles Assigned,ভূমিকা নির্ধারিত -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,অনুসন্ধান সহায়তা +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,অনুসন্ধান সহায়তা DocType: Top Bar Item,Parent Label,মূল ট্যাগ apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.","আপনার প্রশ্নের সাথে গৃহীত হয়েছে. আমরা খুব শীঘ্রই ফিরে উত্তর দিতে হবে. আপনি কোন অতিরিক্ত তথ্য আছে, এই মেইল উত্তর দয়া করে." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,অনুমতি স্বয়ংক্রিয়ভাবে স্ট্যান্ডার্ড প্রতিবেদন এবং অনুসন্ধান থেকে অনুবাদ করা হয়. @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,সম্পাদনা শীর্ষক DocType: File,File URL,ফাইল URL DocType: Version,Table HTML,ছক এইচটিএমএল -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,গ্রাহক +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,গ্রাহক apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,আজকের আপকামিং ইভেন্টস DocType: Email Alert Recipient,Email By Document Field,ডকুমেন্ট ক্ষেত্র দ্বারা ইমেইল apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,আপগ্রেড apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},সংযোগ করা যাবে না: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,নিজে একটি শব্দ অনুমান করা সহজ. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,নিজে একটি শব্দ অনুমান করা সহজ. apps/frappe/frappe/www/search.html +11,Search...,অনুসন্ধান ... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,মার্জ মধ্যে একমাত্র সম্ভব গ্রুপ-গ্রুপ-বা পাত নোড টু পাত নোড apps/frappe/frappe/utils/file_manager.py +43,Added {0},যোগ করা হয়েছে {0} apps/frappe/frappe/www/search.html +28,No matching records. Search something new,আপনার সাথে মেলে এমন রেকর্ড। অনুসন্ধান করুন নতুন কিছু DocType: Currency,Fraction Units,ভগ্নাংশ ইউনিট -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} থেকে {1} থেকে {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} থেকে {1} থেকে {2} DocType: Communication,Type,শ্রেণী +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,দয়া করে সেটআপ> ইমেইল> ইমেল অ্যাকাউন্ট থেকে সেটআপ ডিফল্ট ইমেইল অ্যাকাউন্ট DocType: Authentication Log,Subject,বিষয় DocType: Web Form,Amount Based On Field,পরিমাণ ক্ষেত্রের উপর ভিত্তি করে apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,ব্যবহারকারী শেয়ার জন্য বাধ্যতামূলক @@ -349,10 +350,10 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0} প্ apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.","একটি কয়েকটি শব্দ ব্যবহার করুন, সাধারণ বাক্যাংশ এড়ানো." DocType: Workflow State,plane,সমতল apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,ওহো. আপনার পেমেন্ট ব্যর্থ হয়েছে. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","আপনি নতুন রেকর্ড আপলোড করা হয় তাহলে যদি থাকে, "সিরিজ নামকরণ", বাধ্যতামূলক হয়ে যায়." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","আপনি নতুন রেকর্ড আপলোড করা হয় তাহলে যদি থাকে, "সিরিজ নামকরণ", বাধ্যতামূলক হয়ে যায়." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,আজকের সতর্ক বার্তা গ্রহণ করুন apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,DOCTYPE শুধুমাত্র অ্যাডমিনিস্ট্রেটর দ্বারা পালটে যাবে -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},পরিবর্তিত মান {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},পরিবর্তিত মান {0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,যাচাইয়ের জন্য আপনার ইমেইল চেক করুন apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,ফোল্ড ফর্মের শেষে হতে পারে না @@ -364,8 +365,9 @@ DocType: Auto Email Report,No of Rows (Max 500),সারি কোন (সর DocType: Language,Language Code,ভাষার কোড apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...","আপনার ডাউনলোড নির্মিত হচ্ছে, এই কয়েক মিনিট সময় নিতে পারে ..." apps/frappe/frappe/www/feedback.html +23,Your rating: ,আপনার রেটিং: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} এবং {1} +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} এবং {1} DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents",সর্বদা মুদ্রণ খসড়া নথি জন্য শিরোলেখ "খসড়া" যোগ +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,ইমেইল স্প্যাম হিসাবে চিহ্নিত হয়েছে DocType: About Us Settings,Website Manager,ওয়েবসাইট ম্যানেজার apps/frappe/frappe/model/document.py +1048,Document Queued,ডকুমেন্ট-টি সারিভুক্ত DocType: Desktop Icon,List,তালিকা @@ -377,7 +379,7 @@ DocType: Print Settings,Send document web view link in email,পাঠান ই apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,নথির জন্য আপনার প্রতিক্রিয়া {0} সফলভাবে সংরক্ষিত হয় apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,পূর্ববর্তী apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,লিখেছেন: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} জন্য সারি {1} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} সারি {1} এর জন্য DocType: Currency,"Sub-currency. For e.g. ""Cent""",উপ-কারেন্সি. যেমন "সেন্ট" জন্য apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,আপলোড করা ফাইল নির্বাচন করুন DocType: Letter Head,Check this to make this the default letter head in all prints,সব প্রিন্ট এই ডিফল্ট চিঠি মাথা করতে এই পরীক্ষা @@ -387,12 +389,11 @@ DocType: Desktop Icon,Link,লিংক apps/frappe/frappe/utils/file_manager.py +96,No file attached,সংযুক্ত কোন ফাইল DocType: Version,Version,সংস্করণ DocType: User,Fill Screen,পর্দা ভরাট -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","কারণে অনুপস্থিত তথ্য, এই বৃক্ষ প্রতিবেদন প্রদর্শন করতে পারেনি. সম্ভবত, এটা কারণে অনুমতি ফিল্টার আউট হচ্ছে." -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. ফাইল নির্বাচন -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,আপলোডের মাধ্যমে সম্পাদনা -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer","নথি প্রকার ..., যেমন গ্রাহক" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","কারণে অনুপস্থিত তথ্য, এই বৃক্ষ প্রতিবেদন প্রদর্শন করতে পারেনি. সম্ভবত, এটা কারণে অনুমতি ফিল্টার আউট হচ্ছে." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. ফাইল নির্বাচন +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,আপলোডের মাধ্যমে সম্পাদনা +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer","নথি প্রকার ..., যেমন গ্রাহক" apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,কন্ডিশন '{0}' অবৈধ -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,সেটআপ> ব্যবহারকারীর অনুমতি ম্যানেজার DocType: Workflow State,barcode,বারকোড apps/frappe/frappe/config/setup.py +226,Add your own translations,আপনার নিজস্ব অনুবাদ যোগ করুন DocType: Country,Country Name,দেশের নাম @@ -411,9 +412,11 @@ DocType: Workflow State,exclamation-sign,বিস্ময়বোধক চ apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,দেখান অনুমতিসমূহ apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,সময়রেখা ক্ষেত্রের একটি লিংক বা ডাইনামিক লিংক হতে হবে apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,ড্রপবক্স পাইথন মডিউল ইনস্টল করুন +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,তারিখের পরিসীমা apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,Gantt apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},পাতা {0} এর {1} DocType: About Us Settings,Introduce your company to the website visitor.,ওয়েবসাইট পরিদর্শক আপনার কোম্পানীর পরিচয় করিয়ে. +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json","এনক্রিপশন কী অবৈধ, অনুগ্রহ করে site_config.json পরীক্ষা" apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,থেকে DocType: Kanban Board Column,darkgrey,গাঢ় ধূসর apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},সফল: {0} থেকে {1} @@ -442,13 +445,13 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,অধিক DocType: Contact,Sales Manager,বিক্রয় ব্যবস্থাপক apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,পুনঃনামকরণ DocType: Print Format,Format Data,বিন্যাসে তথ্য -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,মত +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,মত DocType: Customize Form Field,Customize Form Field,ফরম ক্ষেত্র কাস্টমাইজ apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,অনুমতি DocType: OAuth Client,Grant Type,গ্রান্ট প্রকার apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,কোনো ব্যবহারকারীর দ্বারা পাঠযোগ্য যা দস্তাবেজ চেক apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,ওয়াইল্ডকার্ড হিসেবে% ব্যবহার -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?","ইমেল ডোমেন এই অ্যাকাউন্টের জন্য কনফিগার করা না থাকে, এক তৈরি করতে চান?" +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?","ইমেল ডোমেন এই অ্যাকাউন্টের জন্য কনফিগার করা না থাকে, এক তৈরি করতে চান?" DocType: User,Reset Password Key,পাসওয়ার্ড রিসেট করুন কী DocType: Email Account,Enable Auto Reply,অটো উত্তর সক্রিয় apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,দেখা যায় না @@ -463,13 +466,13 @@ DocType: DocType,Fields,ক্ষেত্রসমূহ DocType: System Settings,Your organization name and address for the email footer.,ইমেল পাদচরণ জন্য আপনার প্রতিষ্ঠানের নাম ও ঠিকানা. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,মূল ছক apps/frappe/frappe/config/desktop.py +60,Developer,ডেভেলপার -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,নির্মিত +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,নির্মিত apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} সারিতে {1} উভয় URL এবং সন্তানের আইটেম থাকতে পারে না apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,{0} রুট মোছা যাবে না apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,এখনো কোন মন্তব্য নেই apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,প্রয়োজন উভয় DOCTYPE এবং নাম apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,1 থেকে 0 থেকে docstatus পরিবর্তন করা যাবে না -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,এখন ব্যাকআপ নিন +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,এখন ব্যাকআপ নিন apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,স্বাগত apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,ইনস্টল Apps DocType: Communication,Open,খোলা @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,পূর্ণ নাম থেকে apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},আপনি রিপোর্ট করতে এক্সেস আছে না: {0} DocType: User,Send Welcome Email,স্বাগতম ইমেইল পাঠান apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,ডাউনলোড হিসাবে একই বিন্যাসে সব ব্যবহারকারীর অনুমতি ধারণকারী CSV ফাইল আপলোড করুন. -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,ফিল্টার অপসারণ +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,ফিল্টার অপসারণ DocType: Address,Personal,ব্যক্তিগত apps/frappe/frappe/config/setup.py +113,Bulk Rename,বাল্ক পুনঃনামকরণ DocType: Email Queue,Show as cc,সিসি হিসেবে দেখান DocType: DocField,Heading,শীর্ষক DocType: Workflow State,resize-vertical,পুনরায় আকার-উল্লম্ব -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. আপলোড +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. আপলোড DocType: Contact Us Settings,Introductory information for the Contact Us Page,আমাদের সাথে যোগাযোগ করুন পৃষ্ঠা জন্য পরিচায়ক তথ্য DocType: Web Page,CSS,সিএসএস DocType: Workflow State,thumbs-down,হতাশা @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,বৈশ্বিক অনুসন্ধ DocType: Workflow State,indent-left,ইন্ডেন্ট-বাম apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,এটা এই ফাইলটি মোছার জন্য ঝুঁকিপূর্ণ: {0}. আপনার সিস্টেম ম্যানেজার সাথে যোগাযোগ করুন. DocType: Currency,Currency Name,মুদ্রার নাম -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,কোন ইমেল +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,কোন ইমেল DocType: Report,Javascript,জাভাস্ক্রিপ্ট DocType: File,Content Hash,বিষয়বস্তু হ্যাশ DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,দোকান বিভিন্ন ইনস্টল Apps এর সর্বশেষ সংস্করণ JSON. এটা রিলিজ নোট দেখানোর জন্য ব্যবহৃত হয়. @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',ব্যবহারকারী '{0}' ইতিমধ্যে ভূমিকা রয়েছে '{1}' apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,আপলোড এবং সিঙ্ক apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},এদের সাথে শেয়ার {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,সদস্যতা ত্যাগ করুন +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,সদস্যতা ত্যাগ করুন DocType: Communication,Reference Name,রেফারেন্স নাম apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,চ্যাট সাপোর্ট DocType: Error Snapshot,Exception,ব্যতিক্রম @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,নিউজলেটার ম্যা apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,বিকল্প 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,সকল পোস্ট apps/frappe/frappe/config/setup.py +89,Log of error during requests.,অনুরোধ সময় ত্রুটির লগ ইন করুন. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} সফলভাবে ইমেইল গ্রুপে যোগ করা হয়েছে. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,ফাইল (গুলি) বেসরকারী বা পাবলিক করুন? -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},পাঠাতে তফসিলি {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} সফলভাবে ইমেইল গ্রুপে যোগ করা হয়েছে. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,ফাইল (গুলি) বেসরকারী বা পাবলিক করুন? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},পাঠাতে তফসিলি {0} DocType: Kanban Board Column,Indicator,ইনডিকেটর DocType: DocShare,Everyone,সবাই DocType: Workflow State,backward,অনুন্নত @@ -583,11 +586,11 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,সর্ apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,অনুমোদিত নয়. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,দেখুন সদস্যবৃন্দ DocType: Website Theme,Background Color,পিছনের রঙ -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,ইমেইল পাঠানোর সময় কিছু সমস্যা হয়েছে. অনুগ্রহ করে আবার চেষ্টা করুন. +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,ইমেইল পাঠানোর সময় কিছু সমস্যা হয়েছে. অনুগ্রহ করে আবার চেষ্টা করুন. DocType: Portal Settings,Portal Settings,পোর্টাল সেটিংস DocType: Web Page,0 is highest,0 সর্বোচ্চ apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,আপনি কি নিশ্চিত যে আপনি {0} এই যোগাযোগের পুনঃলিঙ্ক ইচ্ছুক? -apps/frappe/frappe/www/login.html +99,Send Password,পাসওয়ার্ডটি পাঠান +apps/frappe/frappe/www/login.html +104,Send Password,পাসওয়ার্ডটি পাঠান apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,সংযুক্তি apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,আপনি এই দস্তাবেজটি অ্যাক্সেস করতে অনুমতি নেই DocType: Language,Language Name,ভাষার নাম @@ -595,28 +598,29 @@ DocType: Email Group Member,Email Group Member,ইমেল গ্রুপে DocType: Email Alert,Value Changed,মান পরিবর্তন apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},সদৃশ নাম {0} {1} DocType: Web Form Field,Web Form Field,ওয়েব ফরম ক্ষেত্র -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,প্রতিবেদন নির্মাতা লুকান ক্ষেত্রের +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,প্রতিবেদন নির্মাতা লুকান ক্ষেত্রের apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,HTML সম্পাদনা করুন -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,মৌলিক অনুমতি পুনরুদ্ধার +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,মৌলিক অনুমতি পুনরুদ্ধার DocType: Address,Shop,দোকান DocType: DocField,Button,বোতাম +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,{0} এখন {1} DOCTYPE জন্য ডিফল্ট মুদ্রণ ফরম্যাট apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,আর্কাইভ কলাম DocType: Email Account,Default Outgoing,ডিফল্ট আউটগোয়িং DocType: Workflow State,play,খেলা apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,নিচে আপনার নিবন্ধীকরণ সম্পূর্ণ করার জন্য লিংকে ক্লিক করুন এবং একটি নতুন পাসওয়ার্ড সেট -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,যোগ করা হয়নি +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,যোগ করা হয়নি apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,কোনো ইমেল অ্যাকাউন্ট বরাদ্দ DocType: Contact Us Settings,Contact Us Settings,আমাদের সেটিংস যোগাযোগ -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,অনুসন্ধান করা হচ্ছে ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,অনুসন্ধান করা হচ্ছে ... DocType: Workflow State,text-width,টেক্সট-প্রস্থ apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,এই রেকর্ডের জন্য এটাচমেন্টের সর্বাধিক সীমায় পৌঁছেছে. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,নিম্নলিখিত বাধ্যতামূলক ক্ষেত্র পূরণ করা আবশ্যক:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,নিম্নলিখিত বাধ্যতামূলক ক্ষেত্র পূরণ করা আবশ্যক:
    DocType: Email Alert,View Properties (via Customize Form),(কাস্টমাইজ ফরম মাধ্যমে) বৈশিষ্ট্য দেখুন DocType: Note Seen By,Note Seen By,দ্বারা দেখা নোট apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,আরো পালাক্রমে সঙ্গে একটি লম্বা কীবোর্ড প্যাটার্ন ব্যবহার করার চেষ্টা করুন DocType: Feedback Trigger,Check Communication,কমিউনিকেশন চেক apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,প্রতিবেদন নির্মাতা রিপোর্ট প্রতিবেদন নির্মাতা দ্বারা সরাসরি পরিচালিত হয়. কিছুই করার নাই. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,আপনার ইমেল ঠিকানা যাচাই করুন +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,আপনার ইমেল ঠিকানা যাচাই করুন apps/frappe/frappe/model/document.py +907,none of,কেউ apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,আমাকে একটি কপি পাঠান apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,ব্যবহারকারীর অনুমতি আপলোড @@ -624,7 +628,7 @@ DocType: Dropbox Settings,App Secret Key,অ্যাপ সিক্রেট apps/frappe/frappe/config/website.py +7,Web Site,ওয়েব সাইট apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,চেক আইটেম ডেস্কটপে প্রদর্শিত হবে apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} একক ধরনের জন্য নির্ধারণ করা যাবে না -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,Kanban বোর্ড {0} অস্তিত্ব নেই. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,Kanban বোর্ড {0} অস্তিত্ব নেই. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} বর্তমানে এই ডকুমেন্ট দেখছেন DocType: ToDo,Assigned By Full Name,পূর্ণ নাম দ্বারা নিয়োগ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0} আপডেট করা হয়েছে @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,{0} দ DocType: Email Account,Awaiting Password,প্রতীক্ষমাণ পাসওয়ার্ড DocType: Address,Address Line 1,ঠিকানা লাইন 1 DocType: Custom DocPerm,Role,ভূমিকা -apps/frappe/frappe/utils/data.py +429,Cent,সেন্ট -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,ইমেল রচনা +apps/frappe/frappe/utils/data.py +430,Cent,সেন্ট +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,ইমেল রচনা apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).","দেখাবার জন্য যুক্তরাষ্ট্র (যেমন খসড়া অনুমোদিত, বাতিল হয়েছে)." DocType: Print Settings,Allow Print for Draft,খসড়া প্রিন্ট মঞ্জুর করুন -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,সেট পরিমাণ +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,সেট পরিমাণ apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,নিশ্চিত করার জন্য এই দস্তাবেজ জমা দিন DocType: User,Unsubscribed,সদস্যতামুক্তি apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,পৃষ্ঠা এবং প্রতিবেদনের জন্য কাস্টম ভূমিকা সেট apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,নির্ধারণ: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,IMAP অবস্থা প্রতিক্রিয়ায় UIDVALIDITY পাওয়া খুঁজে পাওয়া যাচ্ছে না +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,IMAP অবস্থা প্রতিক্রিয়ায় UIDVALIDITY পাওয়া খুঁজে পাওয়া যাচ্ছে না ,Data Import Tool,ডেটা আমদানি টুল -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,আপলোড ফাইল কয়েক সেকেন্ডের জন্য দয়া করে অপেক্ষা করুন. +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,আপলোড ফাইল কয়েক সেকেন্ডের জন্য দয়া করে অপেক্ষা করুন. apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,তোমার ছবি সংযুক্ত apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,সারি মূল্যবোধ পরিবর্তিত DocType: Workflow State,Stop,থামুন @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,অনুসন্ধান ক্ষেত্র DocType: OAuth Bearer Token,OAuth Bearer Token,OAuth এর বিয়ারার টোকেন apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,নির্বাচিত কোন দলীল DocType: Event,Event,ঘটনা -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:","{0} উপর, {1} লিখেছেন:" +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:","{0} উপর, {1} লিখেছেন:" apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,"স্ট্যান্ডার্ড ক্ষেত্রের মুছে ফেলা যায় না. আপনি চান, আপনি তা লুকিয়ে রাখতে পারেন" DocType: Top Bar Item,For top bar,শীর্ষ বারের জন্য apps/frappe/frappe/utils/bot.py +148,Could not identify {0},চিহ্নিত করা যায়নি {0} @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,প্রপার্টি গোয apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,নির্বাচন ব্যবহারকারী বা DOCTYPE শুরু করার. DocType: Web Form,Allow Print,প্রিন্ট করার অনুমতি দিন apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,কোনো অ্যাপ্লিকেশন ইনস্টল করা -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,হিসাবে বাধ্যতামূলক ক্ষেত্র চিহ্ন +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,হিসাবে বাধ্যতামূলক ক্ষেত্র চিহ্ন DocType: Communication,Clicked,ক্লিক apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},কোন অনুমতি '{0}' {1} DocType: User,Google User ID,গুগল ব্যবহারকারী আইডি @@ -727,7 +731,7 @@ DocType: Event,orange,কমলা apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,কোন {0} পাওয়া apps/frappe/frappe/config/setup.py +236,Add custom forms.,নিজস্ব ফর্ম যুক্ত করো. apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} মধ্যে {2} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,এই দলিল পেশ +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,এই দলিল পেশ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,সিস্টেম অনেক পূর্ব নির্ধারিত ভূমিকা প্রদান করে. আপনি তীক্ষ্ণ স্বরূপ অনুমতি সেট করতে নতুন ভূমিকা যোগ করতে পারেন. DocType: Communication,CC,সিসি DocType: Address,Geo,জিও @@ -739,7 +743,8 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Sele apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,সক্রিয় apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,নিচে ঢোকান DocType: Event,Blue,নীল -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,সব কাস্টমাইজেশন সরিয়ে নেওয়া হবে. অনুগ্রহ করে নিশ্চিত করুন. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,সব কাস্টমাইজেশন সরিয়ে নেওয়া হবে. অনুগ্রহ করে নিশ্চিত করুন. +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,ইমেল ঠিকানা অথবা মোবাইল নম্বর DocType: Page,Page HTML,পৃষ্ঠা এইচটিএমএল apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,বর্ণানুক্রমে আরোহী apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,আরও নোড শুধুমাত্র 'গ্রুপ' টাইপ নোড অধীনে তৈরি করা যেতে পারে @@ -766,7 +771,7 @@ DocType: User,Represents a User in the system.,সিস্টেমের ম DocType: Communication,Label,লেবেল apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","টাস্ক {0}, আপনি {1}, বন্ধ করা হয়েছে নির্ধারিত হয়." DocType: User,Modules Access,মডিউল প্রবেশ -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,এই উইন্ডোটি বন্ধ করুন দয়া করে +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,এই উইন্ডোটি বন্ধ করুন দয়া করে DocType: Print Format,Print Format Type,মুদ্রণ বিন্যাস ধরন DocType: Newsletter,A Lead with this Email Address should exist,এই ইমেইল ঠিকানা দিয়ে একটি লিড এখোনো apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,ওয়েব জন্য ওপেন সোর্স অ্যাপ্লিকেশন @@ -776,18 +781,18 @@ DocType: Role Permission for Page and Report,Allow Roles,ভূমিকা ম DocType: DocType,Hide Toolbar,টুলবার লুকান DocType: User,Last Active,সক্রিয় সর্বশেষ DocType: Email Account,SMTP Settings for outgoing emails,বহির্গামী ইমেইল জন্য SMTP সেটিংস -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,আমদানি ব্যর্থ +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,আমদানি ব্যর্থ apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,আপনার পাসওয়ার্ড আপডেট করা হয়েছে. এখানে আপনার তৈরিকৃত খেলার পাসওয়ার্ড DocType: Email Account,Auto Reply Message,স্বয়ংক্রিয় উত্তর বার্তা DocType: Feedback Trigger,Condition,শর্ত -apps/frappe/frappe/utils/data.py +521,{0} hours ago,{0} ঘণ্টা আগে -apps/frappe/frappe/utils/data.py +531,1 month ago,1 মাস আগে +apps/frappe/frappe/utils/data.py +522,{0} hours ago,{0} ঘণ্টা আগে +apps/frappe/frappe/utils/data.py +532,1 month ago,1 মাস আগে DocType: Contact,User ID,ব্যবহারকারী আইডি DocType: Communication,Sent,প্রেরিত DocType: File,Lft,এলএফটি DocType: User,Simultaneous Sessions,যুগপত দায়রা DocType: OAuth Client,Client Credentials,ক্লায়েন্ট পরিচয়পত্র -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,একটি মডিউল বা টুল খুলুন +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,একটি মডিউল বা টুল খুলুন DocType: Communication,Delivery Status,ডেলিভারি স্থিতি DocType: Module Def,App Name,অ্যাপ নাম apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,সর্বোচ্চ ফাইল সাইজ দেয়া হয় {0} মেগাবাইট @@ -808,11 +813,11 @@ DocType: Address,Address Type,ঠিকানা টাইপ করুন apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,অবৈধ ব্যবহারকারী নাম বা সাপোর্ট পাসওয়ার্ড. ত্রুটিমুক্ত এবং আবার চেষ্টা করুন. DocType: Email Account,Yahoo Mail,ইয়াহু মেইল apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,আপনার সাবস্ক্রিপশন আগামীকাল এর মেয়াদ শেষ হবে. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,সংরক্ষিত! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,সংরক্ষিত! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},আপডেট করা হয়েছে {0}: {1} DocType: DocType,User Cannot Create,ইউজার তৈরি করতে পারবেন না apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,ফোল্ডার {0} অস্তিত্ব নেই -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,ড্রপবক্স এক্সেস অনুমোদিত! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,ড্রপবক্স এক্সেস অনুমোদিত! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.","শুধুমাত্র এক ধরনের অনুমতি রেকর্ড সংজ্ঞায়িত করা হয় তাহলে এই এছাড়াও, ঐ লিঙ্কের জন্য ডিফল্ট মান হিসেবে নির্ধারণ করা হবে." DocType: Customize Form,Enter Form Type,ফরম প্রকার লিখুন apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,কোন রেকর্ড বাঁধা. @@ -820,17 +825,16 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +4 DocType: User,Send Password Update Notification,পাসওয়ার্ড আপডেট বিজ্ঞপ্তি পাঠান apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!","DOCTYPE, DOCTYPE সক্ষম হবেন. সতর্ক হোন!" apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email","মুদ্রণ, ইমেইল জন্য কাস্টমাইজড ফর্ম্যাট" -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,নতুন সংস্করণে আপডেট করা হয়েছে +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,নতুন সংস্করণে আপডেট করা হয়েছে DocType: Custom Field,Depends On,নির্ভর করে DocType: Event,Green,সবুজ DocType: Custom DocPerm,Additional Permissions,অতিরিক্ত অনুমতির DocType: Email Account,Always use Account's Email Address as Sender,সর্বদা প্রেরকের হিসাবে অ্যাকাউন্টের ইমেইল ঠিকানা ব্যবহার apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,মন্তব্য করতে লগ ইন করুন apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,এই রেখার নিচের তথ্য লিখে শুরু -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},জন্য পরিবর্তিত মান {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},জন্য পরিবর্তিত মান {0} DocType: Workflow State,retweet,রিট্যুইট -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,টেমপ্লেট হালনাগাদ ও সংযোজনের আগে CSV বিন্যাসে (কমা পৃথক মান) সংরক্ষণ করুন. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,ক্ষেত্রের মান উল্লেখ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,ক্ষেত্রের মান উল্লেখ DocType: Report,Disabled,অক্ষম DocType: Workflow State,eye-close,চোখের বন্ধ DocType: OAuth Provider Settings,OAuth Provider Settings,OAuth এর প্রোভাইডার সেটিংস @@ -844,9 +848,9 @@ DocType: Address,Is Your Company Address,আপনার কোম্পান apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,সম্পাদনা সারি DocType: Workflow Action,Workflow Action Master,কর্মপ্রবাহ কর্ম মাস্টার DocType: Custom Field,Field Type,ক্ষেত্র প্রকার -apps/frappe/frappe/utils/data.py +446,only.,কেবল. +apps/frappe/frappe/utils/data.py +447,only.,কেবল. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,বছর যে আপনার সাথে সংযুক্ত করা হয় এড়িয়ে চলুন. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,অধোগামী +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,অধোগামী apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,অবৈধ মেল সার্ভার. ত্রুটিমুক্ত এবং আবার চেষ্টা করুন. DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.","লিংক এর জন্য, পরিসীমা হিসাবে doctype লিখতে. নির্বাচন করুন, প্রতিটি একটি নতুন লাইন, তালিকার বিকল্প লিখুন." @@ -855,15 +859,14 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},কোন apps/frappe/frappe/config/desktop.py +8,Tools,সরঞ্জাম apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,সাম্প্রতিক বছরগুলোতে এড়িয়ে চলুন. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,একাধিক রুট নোড অনুমোদিত নয়. -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,ইমেইল অ্যাকাউন্ট না সেটআপ। সেটআপ> ইমেইল> ইমেল অ্যাকাউন্ট থেকে একটি নতুন অ্যাকাউন্ট তৈরি করুন DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.","সক্রিয় করা হলে, ব্যবহারকারী তারা লগইন অবহিত করা হবে। যদি সক্ষম থাকে, তখন ব্যবহারকারীরা শুধুমাত্র একবার অবহিত করা হবে।" DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.","যদি পরীক্ষিত, ব্যবহারকারীদের নিশ্চিত অ্যাক্সেস ডায়ালগ দেখতে পাবেন না." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,আইডি ক্ষেত্রের প্রতিবেদন ব্যবহার মান সম্পাদনা করার প্রয়োজন বোধ করা হয়. কলাম বাছাইকারি ব্যবহার আইডি ক্ষেত্র নির্বাচন করুন +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,আইডি ক্ষেত্রের প্রতিবেদন ব্যবহার মান সম্পাদনা করার প্রয়োজন বোধ করা হয়. কলাম বাছাইকারি ব্যবহার আইডি ক্ষেত্র নির্বাচন করুন apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,মন্তব্য apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,নিশ্চিত করা apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,সব ভেঙ্গে apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,ইনস্টল {0}? -apps/frappe/frappe/www/login.html +71,Forgot Password?,পাসওয়ার্ড ভুলে গেছেন? +apps/frappe/frappe/www/login.html +76,Forgot Password?,পাসওয়ার্ড ভুলে গেছেন? DocType: System Settings,yyyy-mm-dd,yyyy-mm-dd apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,আইডি apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,সার্ভার সমস্যা @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,ফেইসবুক ব্যবহারকা DocType: Workflow State,fast-forward,দ্রুত অগ্রগামী DocType: Communication,Communication,যোগাযোগ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.","অর্ডার সেট, ড্র্যাগ নির্বাচন কলাম পরীক্ষা করে দেখুন." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,এই স্থায়ী ক্রিয়া এবং আপনি পূর্বাবস্থা করতে পারবেন না. চালিয়ে? +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,এই স্থায়ী ক্রিয়া এবং আপনি পূর্বাবস্থা করতে পারবেন না. চালিয়ে? DocType: Event,Every Day,প্রতিদিন DocType: LDAP Settings,Password for Base DN,বেজ ডিএন জন্য পাসওয়ার্ড apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,ছক ফিল্ড @@ -899,7 +902,7 @@ DocType: Workflow State,move,পদক্ষেপ apps/frappe/frappe/model/document.py +1091,Action Failed,অ্যাকশন ব্যর্থ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +8,For User,ব্যবহারকারীর জন্য apps/frappe/frappe/core/doctype/user/user.py +714,Temperorily Disabled,Temperorily অক্ষম করা হয়েছে -apps/frappe/frappe/desk/page/applications/applications.py +88,{0} Installed,{0} ইনস্টল +apps/frappe/frappe/desk/page/applications/applications.py +88,{0} Installed,{0} স্থাপন করা apps/frappe/frappe/email/doctype/contact/contact.py +74,Please set Email Address,ইমেল ঠিকানা নির্ধারণ করুন DocType: User,"If the user has any role checked, then the user becomes a ""System User"". ""System User"" has access to the desktop","ব্যবহারকারী কোনো ভূমিকা পরীক্ষিত থাকে, তাহলে ব্যবহারকারী একটি "সিস্টেম ব্যবহারকারী" হয়ে. "সিস্টেম ব্যবহারকারী" ডেস্কটপ অ্যাক্সেস রয়েছে" DocType: System Settings,Date and Number Format,তারিখ এবং সংখ্যার বিন্যাস @@ -914,18 +917,18 @@ DocType: Workflow State,align-justify,সারিবদ্ধ-ন্যায DocType: User,Middle Name (Optional),মধ্য নাম (ঐচ্ছিক) apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,অননুমোদিত apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,নিম্নলিখিত ক্ষেত্র অনুপস্থিত মানের আছে: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,আপনি কর্ম সম্পন্ন করার জন্য যথেষ্ট অনুমতি নেই -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,কোন ফলাফল নেই +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,আপনি কর্ম সম্পন্ন করার জন্য যথেষ্ট অনুমতি নেই +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,কোন ফলাফল নেই DocType: System Settings,Security,নিরাপত্তা -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,{0} প্রাপকদের পাঠাতে তফসিলি +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,{0} প্রাপকদের পাঠাতে তফসিলি apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},থেকে নামকরণ করা {0} থেকে {1} -DocType: Currency,**Currency** Master,** ** একক মাস্টার +DocType: Currency,**Currency** Master,** ** মুদ্রা মাস্টার DocType: Email Account,No of emails remaining to be synced,অবশিষ্ট ইমেইলের কোন সিঙ্ক করার জন্য -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,আপলোড হচ্ছে +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,আপলোড হচ্ছে apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,নিয়োগ আগে নথি সংরক্ষণ করুন DocType: Website Settings,Address and other legal information you may want to put in the footer.,ঠিকানা এবং অন্যান্য আইনগত তথ্য আপনি পাদচরণ একটি বার্তা দেখাতে চাইবেন. DocType: Website Sidebar Item,Website Sidebar Item,ওয়েবসাইট সাইডবার আইটেম -apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +44,{0} records updated,{0} রেকর্ড আপডেট +apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +44,{0} records updated,{0} প্রতিবেদন পুনরনির্বাচন করা হয়েছে DocType: PayPal Settings,PayPal Settings,PayPal এর সেটিং apps/frappe/frappe/core/page/permission_manager/permission_manager.js +48,Select Document Type,ডকুমেন্ট টাইপ নির্বাচন করুন apps/frappe/frappe/utils/nestedset.py +201,Cannot delete {0} as it has child nodes,এটা সন্তানের নোড আছে {0} মুছে ফেলা যায় না @@ -940,7 +943,7 @@ apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App { DocType: Communication,Feedback Request,প্রতিক্রিয়া অনুরোধ apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,নিম্নলিখিত ক্ষেত্রগুলি অনুপস্থিত হয়: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,এক্সপেরিমেন্টাল ফিচার -apps/frappe/frappe/www/login.html +25,Sign in,প্রবেশ কর +apps/frappe/frappe/www/login.html +30,Sign in,প্রবেশ কর DocType: Web Page,Main Section,প্রধান ধারা DocType: Page,Icon,আইকন apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,5 ও 10 এর মধ্যে মান ফিল্টার @@ -950,7 +953,7 @@ DocType: System Settings,dd/mm/yyyy,ডিডি / MM / YYYY DocType: System Settings,Backups,ব্যাক-আপ apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,পরিচিতি যোগ করুন DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,ঐচ্ছিক: সর্বদা এই আইডি পাঠাতে. একটি নতুন সারি প্রতিটি ইমেইল -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,আড়াল বিস্তারিত +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,আড়াল বিস্তারিত DocType: Workflow State,Tasks,কার্য DocType: Event,Tuesday,মঙ্গলবার DocType: Blog Settings,Blog Settings,ব্লগ সেটিংস @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,নির্দিষ্ট তারিখ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,কোয়ার্টার দিন DocType: Social Login Keys,Google Client Secret,গুগল ক্লায়েন্ট সিক্রেট DocType: Website Settings,Hide Footer Signup,পাদলেখ সাইনআপ লুকান -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,এই দলিল বাতিল +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,এই দলিল বাতিল apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,এই সংরক্ষিত ও কলাম এবং ফলাফলের আসতে যেখানে একই ফোল্ডারে একটি পাইথন ফাইলটি লিখতে. DocType: DocType,Sort Field,সাজান মাঠ DocType: Razorpay Settings,Razorpay Settings,Razorpay সেটিংস -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,সম্পাদনা ফিল্টার +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,সম্পাদনা ফিল্টার apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,মাঠ {0} টাইপ {1} বাধ্যতামূলক হতে পারে না DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User","যেমন. গালাগাল প্রতিবেদন Doctype জন্য চেক করা হয় কিন্তু কোন ব্যবহারকারীর অনুমতি একটি ব্যবহারকারীর জন্য রিপোর্ট সংজ্ঞায়িত হয় ব্যবহারকারীর অনুমতি প্রয়োগ, তাহলে সব রিপোর্ট যে ব্যবহারকারী যাও দেখানো হয়" apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,চার্ট লুকান DocType: System Settings,Session Expiry Mobile,সেশন মেয়াদ উত্তীর্ন মোবাইল apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,এর জন্য অনুসন্ধানের ফলাফল apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,ডাউনলোড করার জন্য নির্বাচন: -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,{0} অনুমতি দেওয়া হয় তাহলে +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,{0} অনুমতি দেওয়া হয় তাহলে DocType: Custom DocPerm,If user is the owner,ব্যবহারকারী মালিক যদি ,Activity,কার্যকলাপ DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",সাহায্য: ব্যাংকিং ব্যবস্থায় দেশের অন্য একটি রেকর্ড Link Link URL হিসেবে "# ফরম / নোট / [নাম উল্লেখ্য]" ব্যবহার করার জন্য. (ব্যবহার করবেন না "HTTP: //") apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,চলুন শুরু করা যাক পুনরাবৃত্তি শব্দ এবং অক্ষর এড়ানো DocType: Communication,Delayed,বিলম্বিত apps/frappe/frappe/config/setup.py +128,List of backups available for download,ডাউনলোডের জন্য উপলব্ধ ব্যাকআপ তালিকা -apps/frappe/frappe/www/login.html +84,Sign up,নিবন্ধন করুন +apps/frappe/frappe/www/login.html +89,Sign up,নিবন্ধন করুন DocType: Integration Request,Output,আউটপুট apps/frappe/frappe/config/setup.py +220,Add fields to forms.,ফরম ক্ষেত্র যুক্ত. DocType: File,rgt,rgt @@ -995,7 +998,7 @@ DocType: User Email,Email ID,ইমেইল আইডি DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,সম্পদের একটি তালিকা যা ক্লায়েন্ট অ্যাপ ব্যবহারকারী এটি করতে সক্ষম হবেন পরে অ্যাক্সেস থাকবে.
    যেমন প্রকল্প DocType: Translation,Translated Text,অনুবাদ টেক্সট DocType: Contact Us Settings,Query Options,ক্যোয়ারী অপশন -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,আমদানি সফল! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,আমদানি সফল! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,আপডেট হচ্ছে রেকর্ডস DocType: Error Snapshot,Timestamp,টাইমস্ট্যাম্প DocType: Patch Log,Patch Log,প্যাচ কার্যবিবরণী @@ -1009,14 +1012,14 @@ DocType: System Settings,Setup Complete,সম্পূর্ণ সেটআপ apps/frappe/frappe/config/setup.py +66,Report of all document shares,সব নথি শেয়ারের প্রতিবেদন apps/frappe/frappe/www/update-password.html +18,New Password,নতুন পাসওয়ার্ড apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,ফিল্টার {0} অনুপস্থিত -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,দুঃখিত! আপনি স্বয়ংক্রিয় উত্পন্ন মন্তব্য মুছতে পারবেন না +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,দুঃখিত! আপনি স্বয়ংক্রিয় উত্পন্ন মন্তব্য মুছতে পারবেন না DocType: Website Theme,Style using CSS,সিএসএস ব্যবহার স্টাইল apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,রেফারেন্স DOCTYPE DocType: User,System User,সিস্টেম ব্যবহারকারী DocType: Report,Is Standard,মান -DocType: Desktop Icon,_report,_report +DocType: Desktop Icon,_report,প্রতিবেদন DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field","না মত <স্ক্রিপ্ট> বা শুধু অক্ষর মত <বা>, যেমন তারা ইচ্ছাকৃতভাবে এই ক্ষেত্রে ব্যবহার করা যেতে পারে এইচটিএমএল এনকোড এইচটিএমএল ট্যাগ" -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,ডিফল্ট মান নির্ধারণ করুন +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,ডিফল্ট মান নির্ধারণ করুন DocType: Website Settings,FavIcon,ফেভিকন apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,অন্তত একটি উত্তর প্রতিক্রিয়া অনুরোধ করার আগে বাধ্যতামূলক DocType: Workflow State,minus-sign,মাইনাস টু সাইন @@ -1027,7 +1030,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Cu DocType: Authentication Log,Login,লগইন DocType: Web Form,Payments,পেমেন্টস্ DocType: System Settings,Enable Scheduled Jobs,নির্ধারিত কাজ সক্রিয় -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,নোট: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,নোট: apps/frappe/frappe/www/message.html +19,Status: {0},স্থিতি: {0} DocType: DocShare,Document Name,ডকুমেন্ট নাম apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,স্প্যাম হিসাবে চিহ্নিত করুন @@ -1041,7 +1044,7 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,দেখ apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,তারিখ থেকে apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,সাফল্য apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},প্রতিক্রিয়ার জন্য {0} পাঠানো হয় অনুরোধ {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,সময় মেয়াদ শেষ +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,সময় মেয়াদ শেষ DocType: Kanban Board Column,Kanban Board Column,Kanban বোর্ড কলাম apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,কী এর সোজা সারি অনুমান করা সহজ DocType: Communication,Phone No.,ফোন নম্বর. @@ -1051,7 +1054,7 @@ DocType: Workflow State,picture,ছবি apps/frappe/frappe/www/complete_signup.html +22,Complete,সম্পূর্ণ DocType: Customize Form,Image Field,চিত্র ফিল্ড DocType: Print Format,Custom HTML Help,কাস্টম এইচটিএমএল হেল্প -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,একটি নতুন নিষেধাজ্ঞা করো +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,একটি নতুন নিষেধাজ্ঞা করো apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,ওয়েবসাইট দেখতে DocType: Workflow Transition,Next State,পরবর্তী রাজ্য DocType: User,Block Modules,ব্লক মডিউল @@ -1066,7 +1069,7 @@ DocType: Email Account,Default Incoming,ডিফল্ট ইনকামিং DocType: Workflow State,repeat,পুনরাবৃত্তি DocType: Website Settings,Banner,নিশান DocType: Role,"If disabled, this role will be removed from all users.","যদি অক্ষম, এই ভূমিকা সব ব্যবহারকারীদের কাছ থেকে সরানো হবে." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,খুজে পেতে সাহায্য নিন +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,খুজে পেতে সাহায্য নিন apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,নিবন্ধিত কিন্তু প্রতিবন্ধী DocType: DocType,Hide Copy,কপি লুকান apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,সব ভূমিকা পরিষ্কার @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,মুছে apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},নতুন {0} apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,কোন ব্যবহারকারীর বিধিনিষেধ পাওয়া. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,ডিফল্ট ইনবক্স -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,একটি নতুন তৈরি করুন +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,একটি নতুন তৈরি করুন DocType: Print Settings,PDF Page Size,পিডিএফ পৃষ্ঠা আকার apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,দ্রষ্টব্য: উপরের মানদণ্ডের জন্য খালি মান থাকার ক্ষেত্রগুলি ফিল্টার করা হয় না. DocType: Communication,Recipient Unsubscribed,সদস্যতামুক্তি প্রাপক DocType: Feedback Request,Is Sent,পাঠানো হয় apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,প্রায় -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.","আপডেট করার জন্য, আপনি শুধুমাত্র নির্বাচনী কলাম আপডেট করতে পারেন." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.","আপডেট করার জন্য, আপনি শুধুমাত্র নির্বাচনী কলাম আপডেট করতে পারেন." DocType: System Settings,Country,দেশ apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,ঠিকানা DocType: Communication,Shared,শেয়ারকৃত @@ -1125,12 +1128,12 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",% S এর একটি বৈধ প্রতিবেদন ফর্ম্যাট সঠিক নয়. গালাগাল প্রতিবেদন বিন্যাস \ উচিত% s- নিম্নলিখিত এক DocType: Communication,Chat,চ্যাট apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},FIELDNAME {0} সারি একাধিক বার প্রদর্শিত {1} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} থেকে {1} থেকে {2} মধ্যে সারি # {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} থেকে {1} থেকে {2} মধ্যে সারি # {3} DocType: Communication,Expired,মেয়াদউত্তীর্ণ DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),একটি ক্ষেত্রের জন্য কলামের সংখ্যা একটি গ্রিড মধ্যে (একটি গ্রিড মধ্যে মোট কলাম কম 11 হতে হবে) DocType: DocType,System,পদ্ধতি DocType: Web Form,Max Attachment Size (in MB),ম্যাক্স সংযুক্তি মাপ (মেগাবাইটে) -apps/frappe/frappe/www/login.html +88,Have an account? Login,একটি একাউন্ট আছে? লগইন +apps/frappe/frappe/www/login.html +93,Have an account? Login,একটি একাউন্ট আছে? লগইন apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},অজানা মুদ্রণ বিন্যাস: {0} DocType: Workflow State,arrow-down,তীর-ডাউন apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,পতন @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,কাস্টম ভূমিকা apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,হোম / Test ফোল্ডার 2 DocType: System Settings,Ignore User Permissions If Missing,হারিয়ে যাওয়া যদি ব্যবহারকারীর অনুমতি উপেক্ষা -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,আপলোড করার আগে নথি সংরক্ষণ করুন. -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,আপনার পাসওয়ার্ড লিখুন +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,আপলোড করার আগে নথি সংরক্ষণ করুন. +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,আপনার পাসওয়ার্ড লিখুন DocType: Dropbox Settings,Dropbox Access Secret,ড্রপবক্স অ্যাক্সেস গোপন apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,আরেকটি মন্তব্য যোগ করুন apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,DOCTYPE সম্পাদনা -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,নিউজলেটার থেকে সদস্যতা মুক্ত +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,নিউজলেটার থেকে সদস্যতা মুক্ত apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,একটি অনুচ্ছেদ বিরতির আগে আসতে হবে ভাঁজ apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,সর্বশেষ রুপান্তরিত DocType: Workflow State,hand-down,হাত নিচে করো @@ -1159,7 +1162,8 @@ DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,পুনর DocType: DocType,Is Submittable,Submittable হয় apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,একটি চেক ক্ষেত্রের জন্য মান 0 অথবা 1 হতে পারে apps/frappe/frappe/model/document.py +634,Could not find {0},খুঁজে পাওয়া যায়নি {0} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,কলামের লেবেল: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,এক্সেল ফাইল ফর্ম্যাটে ডাউনলোড +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,কলামের লেবেল: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,সিরিজ বাধ্যতামূলক নামকরণ DocType: Social Login Keys,Facebook Client ID,ফেসবুক ক্লায়েন্ট আইডি DocType: Workflow State,Inbox,ইনবক্স @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,গ্রুপ DocType: Footer Item,"Select target = ""_blank"" to open in a new page.",নির্বাচন টার্গেট = "_blank" একটি নতুন পাতা খুলুন. apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,স্থায়ীভাবে মুছে {0}? apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,একই ফাইলের ইতিমধ্যে রেকর্ড সংযুক্ত হয়েছে -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,ত্রুটি এনকোডিং উপেক্ষা করুন. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,ত্রুটি এনকোডিং উপেক্ষা করুন. DocType: Auto Email Report,XLS,XLS DocType: Workflow State,wrench,বিকৃত করা apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,সেট না @@ -1195,24 +1199,25 @@ apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be e apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","বাতিল, জমা অর্থ সংশোধন" apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,করতে apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,কোন ভাষার বিদ্যমান অনুমতি overwritten / মুছে ফেলা হবে. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),তারপর পর্যায়ক্রমে (ঐচ্ছিক) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),তারপর পর্যায়ক্রমে (ঐচ্ছিক) DocType: File,Preview HTML,পূর্বদৃশ্য এইচটিএমএল DocType: Desktop Icon,query-report,ক্যোয়ারী-প্রতিবেদন apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},নির্ধারিত {0}: {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,ফিল্টারগুলি সংরক্ষিত DocType: DocField,Percent,শতাংশ -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,ফিল্টার সেট করুন +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,ফিল্টার সেট করুন apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,সংযুক্ত DocType: Workflow State,book,বই DocType: Website Settings,Landing Page,অবতরণ পাতা apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,কাস্টম স্ক্রিপ্ট ত্রুটি apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} নাম -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.","আমদানি অনুরোধ সারিবদ্ধ. এটি কয়েক মিনিট সময় নিতে পারে, দয়া করে ধৈর্য ধরুন." +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.","আমদানি অনুরোধ সারিবদ্ধ. এটি কয়েক মিনিট সময় নিতে পারে, দয়া করে ধৈর্য ধরুন." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,কোন অনুমতি এই মানদণ্ড নির্ধারণ করা. DocType: Auto Email Report,Auto Email Report,অটো ইমেল প্রতিবেদন apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,ম্যাক্স ইমেইল -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,মন্তব্য মুছে ফেলতে চান? +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,মন্তব্য মুছে ফেলতে চান? DocType: Address Template,This format is used if country specific format is not found,দেশ নির্দিষ্ট ফরম্যাটে পাওয়া না গেলে এই বিন্যাস ব্যবহার করা হয়েছে +DocType: System Settings,Allow Login using Mobile Number,লগইন মোবাইল নম্বর ব্যবহার করার অনুমতি দেয় apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,আপনি এই রিসোর্স অ্যাক্সেস করার অনুমতি নেই. প্রবেশাধিকার পেতে আপনার ম্যানেজারের সাথে যোগাযোগ করুন. DocType: Custom Field,Custom,প্রথা apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,বিভিন্ন মানদণ্ডের উপর ভিত্তি করে সেটআপ ইমেইল এলার্ট. @@ -1238,7 +1243,7 @@ DocType: Workflow State,step-backward,ধাপে অনগ্রসর apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{অ্যাপ_শিরোনাম} apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,আপনার সাইটে কনফিগ ড্রপবক্স এক্সেস কী সেট করুন apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,এই ইমেইল ঠিকানায় পাঠানোর অনুমতি এই রেকর্ড মুছে -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,শুধু বাধ্যতামূলক ক্ষেত্র নতুন রেকর্ডের জন্য প্রয়োজন হয়. যদি আপনি চান আপনি অ বাধ্যতামূলক কলাম মুছে দিতে পারেন. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,শুধু বাধ্যতামূলক ক্ষেত্র নতুন রেকর্ডের জন্য প্রয়োজন হয়. যদি আপনি চান আপনি অ বাধ্যতামূলক কলাম মুছে দিতে পারেন. apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,ইভেন্ট আপডেট করতে অক্ষম apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,পেমেন্ট সমাপ্তি apps/frappe/frappe/utils/bot.py +89,show,প্রদর্শনী @@ -1249,6 +1254,7 @@ DocType: Workflow State,map-marker,মানচিত্র-মার্কা apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,একটি সমস্যার জমা DocType: Event,Repeat this Event,এই ঘটনার পুনরাবৃত্তি DocType: Contact,Maintenance User,রক্ষণাবেক্ষণ ব্যবহারকারী +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,পছন্দসমূহ বাছাই apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,তারিখ এবং বছর যে আপনার সাথে সংযুক্ত করা হয় এড়িয়ে চলুন. DocType: Custom DocPerm,Amend,সংশোধন করা DocType: File,Is Attachments Folder,সংযুক্তি ফোল্ডার @@ -1257,7 +1263,7 @@ apps/frappe/frappe/templates/includes/login/login.js +49,Valid Login id required apps/frappe/frappe/desk/doctype/todo/todo.js +30,Re-open,পুনরায় খুলুন apps/frappe/frappe/templates/pages/integrations/payment-cancel.html +10,You have cancelled the payment,আপনি পেমেন্ট বাতিল করেছেন apps/frappe/frappe/model/rename_doc.py +359,Please select a valid csv file with data,তথ্য দিয়ে একটি বৈধ CSV ফাইল নির্বাচন করুন -apps/frappe/frappe/core/doctype/docshare/docshare.py +56,{0} un-shared this document with {1},{0} জাতিসংঘের ভাগ সাথে এই নথি {1} +apps/frappe/frappe/core/doctype/docshare/docshare.py +56,{0} un-shared this document with {1},"{0}, {1} এর সাথে এই নথি ভাগ বাতিল করেছে" apps/frappe/frappe/public/js/frappe/form/workflow.js +118,Document Status transition from {0} to {1} is not allowed,{0} {1} অনুমোদিত নয় থেকে নথির অবস্থা রূপান্তর DocType: DocType,"Make ""name"" searchable in Global Search",করুন "নাম" গ্লোবাল অনুসন্ধান অনুসন্ধানযোগ্য apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +126,Setting Up,ঠিককরা @@ -1274,9 +1280,9 @@ DocType: DocType,Route,রুট apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,Razorpay পেমেন্ট গেটওয়ে সেটিংস DocType: DocField,Name,নাম apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,আপনি আপনার পরিকল্পনা জন্য {0} এর সর্বোচ্চ স্থান অতিক্রম করেছেন. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,ডক্স অনুসন্ধান করুন +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,ডক্স অনুসন্ধান করুন DocType: OAuth Authorization Code,Valid,বৈধ -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,খোলা সংযুক্তি +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,খোলা সংযুক্তি apps/frappe/frappe/desk/form/load.py +46,Did not load,লোড করা হয়নি apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,সারি যোগ করুন DocType: Tag Category,Doctypes,Doctypes @@ -1291,7 +1297,7 @@ DocType: Workflow State,align-center,সারিবদ্ধ-কেন্দ্ DocType: Feedback Request,Is Feedback request triggered manually ?,প্রতিক্রিয়া আমাদেরকে জানাতে অনুরোধ ম্যানুয়ালি সূত্রপাত হয়? apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,লিখতে পারেন apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.","নির্দিষ্ট কাগজপত্র, একটি চালান মত, একবার চূড়ান্ত পরিবর্তন করা উচিত নয়. যেমন নথি জন্য চূড়ান্ত রাষ্ট্র জমা বলা হয়. আপনি ভূমিকা জমা দিতে পারেন, যা সীমিত করতে পারে." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,আপনি এই প্রতিবেদন রপ্তানি করতে অনুমতি দেওয়া হয় না +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,আপনি এই প্রতিবেদন রপ্তানি করতে অনুমতি দেওয়া হয় না apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,1 টি আইটেম নির্বাচন DocType: Newsletter,Test Email Address,টেস্ট ইমেল ঠিকানা DocType: ToDo,Sender,প্রেরকের @@ -1330,7 +1336,7 @@ apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,স apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} পাওয়া যায়নি DocType: Communication,Attachment Removed,সংযুক্তি সরানো হয়েছে apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,সাম্প্রতিক বছর অনুমান করা সহজ. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,ক্ষেত্রের নীচে একটি বিবরণ দেখাও +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,ক্ষেত্রের নীচে একটি বিবরণ দেখাও DocType: DocType,ASC,উচ্চক্রমে DocType: Workflow State,align-left,সারিবদ্ধ বাম DocType: User,Defaults,ডিফল্ট @@ -1341,7 +1347,7 @@ DocType: Dynamic Link,Link Title,লিংক শিরোনাম DocType: Workflow State,fast-backward,ফাস্ট-অনুন্নত DocType: DocShare,DocShare,DocShare DocType: Event,Friday,শুক্রবার -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,পুরো পাতা সম্পাদনার +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,পুরো পাতা সম্পাদনার DocType: Authentication Log,User Details,ব্যবহারকারীর বিবরণ DocType: Report,Add Total Row,মোট সারি যোগ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,আপনি বাতিল এবং INV004 সংশোধন উদাহরণস্বরূপ যদি একটি নতুন ডকুমেন্ট INV004-1 হয়ে যাবে. এই কমান্ডের সাহায্যে আপনি প্রতিটি সংশোধনীর ট্র্যাক রাখতে সাহায্য করে. @@ -1358,8 +1364,8 @@ DocType: Currency,"1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",= [?] যেমন 1 ইউএসডি জন্য ভগ্নাংশ = 100 সেন্ট 1 মুদ্রা apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour","অনেক ব্যবহারকারীরা সম্প্রতি সাইন আপ, তাই নিবন্ধীকরণ নিষ্ক্রিয় করা হয়েছে. এক ঘন্টার মধ্যে ফিরে চেষ্টা করুন" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,নতুন অনুমতি রুল করো -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,আপনি যদি ওয়াইল্ডকার্ড% ব্যবহার করতে পারেন -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","(.gif, .jpg, JPEG, এক চুমুক মদ, .png, SVG খুলে) অনুমোদিত শুধু ইমেজ এক্সটেনশন" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,আপনি যদি ওয়াইল্ডকার্ড% ব্যবহার করতে পারেন +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","(.gif, .jpg, JPEG, এক চুমুক মদ, .png, SVG খুলে) অনুমোদিত শুধু ইমেজ এক্সটেনশন" DocType: DocType,Database Engine,ডাটাবেস ইঞ্জিন DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box","কমা দ্বারা পৃথকীকৃত ক্ষেত্রসমূহ (,) মধ্যে অন্তর্ভুক্ত করা হবে অনুসন্ধান ডায়লগ বক্স প্রদর্শিত তালিকা দ্বারা অনুসন্ধান """ apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,এই ওয়েবসাইট থিম কাস্টমাইজ ডুপ্লিকেট করুন. @@ -1367,10 +1373,10 @@ DocType: DocField,Text Editor,টেক্সট সম্পাদক apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,আমাদের পাতা সম্পর্কে জন্য সেটিংস. apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,সম্পাদনা কাস্টম এইচটিএমএল DocType: Error Snapshot,Error Snapshot,ত্রুটি স্ন্যাপশট -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,মধ্যে +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,মধ্যে DocType: Email Alert,Value Change,মান পরিবর্তন DocType: Standard Reply,Standard Reply,প্রমিত উত্তর -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,ইনপুট বক্স প্রস্থ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,ইনপুট বক্স প্রস্থ DocType: Address,Subsidiary,সহায়ক DocType: System Settings,In Hours,ঘন্টা ইন apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,লেটারহেড সঙ্গে @@ -1385,13 +1391,12 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,ব্যবহারকারী হিসেবে আমন্ত্রণ apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,নির্বাচন সংযুক্তি apps/frappe/frappe/model/naming.py +95, for {0},জন্য {0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,ত্রুটিযুক্ত ছিল. এই রিপোর্ট করুন দয়া করে. +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,ত্রুটিযুক্ত ছিল. এই রিপোর্ট করুন দয়া করে. apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,আপনি এই নথীটি ছাপানোর জন্য অনুমতি দেওয়া হয় না apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,গালাগাল প্রতিবেদন ফিল্টার টেবিলে ফিল্টার মান নির্ধারণ করুন. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,লোড প্রতিবেদন +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,লোড প্রতিবেদন apps/frappe/frappe/limits.py +72,Your subscription will expire today.,আপনার সাবস্ক্রিপশন আজ এর মেয়াদ শেষ হবে. DocType: Page,Standard,মান -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,এই {0} এর মধ্যে apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,সংযুক্তি apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,পাসওয়ার্ড আপডেট বিজ্ঞপ্তি apps/frappe/frappe/desk/page/backups/backups.html +13,Size,আয়তন @@ -1402,9 +1407,9 @@ DocType: Deleted Document,New Name,নতুন নাম DocType: Communication,Email Status,ইমেইল স্থিতি apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,নিয়োগ সরানোর আগে নথি সংরক্ষণ করুন apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,সন্নিবেশ উপরে -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,প্রচলিত নাম এবং পদবির অনুমান করা সহজ. +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,প্রচলিত নাম এবং পদবির অনুমান করা সহজ. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,খসড়া -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,এই একটি সাধারণভাবে ব্যবহৃত পাসওয়ার্ড অনুরূপ. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,এই একটি সাধারণভাবে ব্যবহৃত পাসওয়ার্ড অনুরূপ. DocType: User,Female,মহিলা DocType: Print Settings,Modern,আধুনিক apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,অনুসন্ধান ফলাফল @@ -1412,7 +1417,7 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,সংর DocType: Communication,Replied,জবাব দেওয়া DocType: Newsletter,Test,পরীক্ষা DocType: Custom Field,Default Value,ডিফল্ট মান -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,যাচাই করুন +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,যাচাই করুন DocType: Workflow Document State,Update Field,আপডেট মাঠ apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},ভ্যালিডেশন জন্য ব্যর্থ {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,আঞ্চলিক এক্সটেনশানগুলি @@ -1425,7 +1430,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,জিরো মানে যে কোনো সময় আপডেট রেকর্ড পাঠাতে apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,সম্পূর্ণ সেটআপ DocType: Workflow State,asterisk,তারকাচিহ্ন -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,টেমপ্লেট শিরোনামে পরিবর্তন করবেন না দয়া করে. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,টেমপ্লেট শিরোনামে পরিবর্তন করবেন না দয়া করে. DocType: Communication,Linked,সংযুক্ত apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},নতুন নাম লিখুন {0} DocType: User,Frappe User ID,ফ্র্যাপে ব্যবহারকারী আইডি @@ -1434,9 +1439,9 @@ DocType: Workflow State,shopping-cart,বাজারের ব্যাগ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,সপ্তাহ DocType: Social Login Keys,Google,গুগল DocType: Email Domain,Example Email Address,উদাহরণ ইমেল ঠিকানা -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,সর্বাধিক ব্যবহৃত -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,নিউজলেটার থেকে সদস্যতা রদ করুন -apps/frappe/frappe/www/login.html +96,Forgot Password,পাসওয়ার্ড ভুলে গেছেন +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,সর্বাধিক ব্যবহৃত +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,নিউজলেটার থেকে সদস্যতা রদ করুন +apps/frappe/frappe/www/login.html +101,Forgot Password,পাসওয়ার্ড ভুলে গেছেন DocType: Dropbox Settings,Backup Frequency,ব্যাকআপ ফ্রিকোয়েন্সি DocType: Workflow State,Inverse,বিপরীত DocType: DocField,User permissions should not apply for this Link,ব্যবহারকারীর অনুমতি এই লিঙ্কটির জন্য আবেদন করা উচিত নয় @@ -1447,9 +1452,9 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Nu apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,ব্রাউজার সমর্থিত নয় apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,কিছু তথ্য অনুপস্থিত DocType: Custom DocPerm,Cancel,বাতিল -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,ডেস্কটপে যোগ করুন +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,ডেস্কটপে যোগ করুন apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,{0} বিদ্যমান নয় ফাইল -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,নতুন রেকর্ডের জন্য ফাঁকা ছেড়ে দিন +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,নতুন রেকর্ডের জন্য ফাঁকা ছেড়ে দিন apps/frappe/frappe/config/website.py +63,List of themes for Website.,ওয়েবসাইট জন্য থিম তালিকা. apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,সফলভাবে আপডেট DocType: Authentication Log,Logout,ত্যাগ করুন @@ -1462,7 +1467,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a DocType: Currency,Symbol,প্রতীক apps/frappe/frappe/model/base_document.py +535,Row #{0}:,সারি # {0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,নতুন পাসওয়ার্ড ইমেইল -apps/frappe/frappe/auth.py +242,Login not allowed at this time,এই সময়ে অনুমোদিত নয় লগইন +apps/frappe/frappe/auth.py +245,Login not allowed at this time,এই সময়ে অনুমোদিত নয় লগইন DocType: Email Account,Email Sync Option,ইমেইল সিঙ্ক অপশন DocType: Async Task,Runtime,রানটাইম DocType: Contact Us Settings,Introduction,ভূমিকা @@ -1477,7 +1482,7 @@ apps/frappe/frappe/config/setup.py +240,Custom Tags,কাস্টম ট্য apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,মিলে যাওয়া কোন এপস পাওয়া DocType: Communication,Submitted,উপস্থাপিত DocType: System Settings,Email Footer Address,ইমেইল পাদলেখ ঠিকানা -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,ছক আপডেট +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,ছক আপডেট DocType: Communication,Timeline DocType,সময়রেখা DOCTYPE DocType: DocField,Text,পাঠ apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,স্ট্যান্ডার্ড সাধারণ প্রশ্নের জবাব. @@ -1487,7 +1492,7 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by DocType: Footer Item,Footer Item,পাদচরণ আইটেম ,Download Backups,ডাউনলোড ব্যাকআপ apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,হোম / Test ফোল্ডার 1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.","আপডেট, কিন্তু নতুন রেকর্ড সন্নিবেশ না." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.","আপডেট, কিন্তু নতুন রেকর্ড সন্নিবেশ না." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,আমার ধার্য apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,সম্পাদনা ফোল্ডার DocType: DocField,Dynamic Link,ডাইনামিক লিংক @@ -1500,9 +1505,10 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,সেটিং অনুমতি জন্য দ্রুত সহায়তা DocType: Tag Doc Category,Doctype to Assign Tags,ট্যাগ্স ধার্য করতে DOCTYPE apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,দেখান relapses +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,ইমেইল ট্র্যাশে সরানো হয়েছে DocType: Report,Report Builder,প্রতিবেদন নির্মাতা DocType: Async Task,Task Name,টাস্ক নাম -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.","আপনার সেশনের মেয়াদ শেষ হয়ে গেছে, চালিয়ে যেতে আবার লগইন করুন।" +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.","আপনার সেশনের মেয়াদ শেষ হয়ে গেছে, চালিয়ে যেতে আবার লগইন করুন।" DocType: Communication,Workflow,কর্মপ্রবাহ apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},ব্যাকআপ এবং মুছে ফেলার জন্য পংক্তিবদ্ধ {0} DocType: Workflow State,Upload,আপলোড @@ -1525,7 +1531,7 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18",এই ক্ষেত্রটি প্রদর্শিত হবে শুধুমাত্র যদি FIELDNAME এখানে সংজ্ঞায়িত মূল্য আছে বা নিয়ম সত্য (উদাহরণ) হয়: myfield Eval: doc.myfield == 'আমার মূল্য' Eval: doc.age> 18 -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,আজ +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,আজ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).","আপনি এই সেট করে থাকেন, শুধুমাত্র সেই ব্যবহারকারীদের ক্ষেত্রে সক্ষম এক্সেস নথি হতে হবে (যেমন. ব্লগ পোস্ট) লিংক (যেমন. ব্লগার) যেখানে বিদ্যমান." DocType: Error Log,Log of Scheduler Errors,নির্ধারণকারী ত্রুটি কার্যবিবরণী DocType: User,Bio,বায়ো @@ -1539,7 +1545,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,মোছা DocType: Workflow State,adjust,সমন্বয় করা DocType: Web Form,Sidebar Settings,সাইডবার সেটিংস -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,

    কোন ফলাফল 'পাওয়া যায়নি

    DocType: Website Settings,Disable Customer Signup link in Login page,লগইন পৃষ্ঠায় অক্ষম গ্রাহক সাইনআপ লিঙ্কটি apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,/ মালিককে নিয়োগ DocType: Workflow State,arrow-left,তীর-বাম @@ -1560,8 +1565,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,দেখান অনুচ্ছেদ শিরোনাম DocType: Bulk Update,Limit,সীমা apps/frappe/frappe/www/printview.py +219,No template found at path: {0},পাথ এ পাওয়া কোন টেমপ্লেট: {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,ইম্পোর্ট করার পরে জমা দিন. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,কোনো ইমেল অ্যাকাউন্ট +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,ইম্পোর্ট করার পরে জমা দিন. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,কোনো ইমেল অ্যাকাউন্ট DocType: Communication,Cancelled,বাতিল হয়েছে DocType: Standard Reply,Standard Reply Help,স্ট্যান্ডার্ড উত্তর সাহায্য DocType: Blogger,Avatar,অবতার @@ -1570,13 +1575,13 @@ DocType: DocType,Has Web View,ওয়েব দৃশ্য আছে apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores","DOCTYPE এর একটি অক্ষর দিয়ে শুরু করা উচিত এবং এটা শুধুমাত্র অক্ষর, সংখ্যা, স্পেস এবং আন্ডারস্কোর দ্বারা গঠিত হতে পারে" DocType: Communication,Spam,স্প্যাম DocType: Integration Request,Integration Request,ইন্টিগ্রেশন অনুরোধ -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,প্রিয় +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,প্রিয় DocType: Contact,Accounts User,ব্যবহারকারীর অ্যাকাউন্ট DocType: Web Page,HTML for header section. Optional,হেডার বিভাগের জন্য এইচটিএমএল. ঐচ্ছিক apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,এই বৈশিষ্ট্যটি ব্র্যান্ড নতুন এবং এখনও পরীক্ষামূলক apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,সর্বাধিক {0} সারি অনুমতি DocType: Email Unsubscribe,Global Unsubscribe,গ্লোবাল আনসাবস্ক্রাইব -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,এটি একটি খুব সাধারণ পাসওয়ার্ড. +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,এটি একটি খুব সাধারণ পাসওয়ার্ড. apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,দৃশ্য DocType: Communication,Assigned,বরাদ্দ DocType: Print Format,Js,js @@ -1584,13 +1589,14 @@ apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Form apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,সংক্ষিপ্ত কীবোর্ড নিদর্শন অনুমান করা সহজ DocType: Portal Settings,Portal Menu,পোর্টাল মেনু apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,{0} এর দৈর্ঘ্য 1 এবং 1000 মধ্যে হতে হবে -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,কিছু জন্য অনুসন্ধান +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,কিছু জন্য অনুসন্ধান DocType: DocField,Print Hide,প্রিন্ট লুকান apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,মান লিখুন DocType: Workflow State,tint,আভা DocType: Web Page,Style,শৈলী apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,যেমন: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} মন্তব্য +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,ইমেইল অ্যাকাউন্ট না সেটআপ। সেটআপ> ইমেইল> ইমেল অ্যাকাউন্ট থেকে একটি নতুন অ্যাকাউন্ট তৈরি করুন apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,ক্যাটাগরি নির্বাচন করুন... DocType: Customize Form Field,Label and Type,ট্যাগ ও ধরন DocType: Workflow State,forward,অগ্রবর্তী @@ -1602,12 +1608,14 @@ DocType: Website Settings,Sub-domain provided by erpnext.com,Erpnext.com দ্ DocType: System Settings,dd-mm-yyyy,ডিডি-মিমি-YYYY apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,এই প্রতিবেদন অ্যাক্সেস প্রতিবেদন অনুমতি থাকতে হবে. apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,দয়া করে নূন্যতম পাসওয়ার্ড স্কোর নির্বাচন -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,যোগ করা -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.","শুধুমাত্র আপডেট, নতুন রেকর্ড সন্নিবেশ না." +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,যোগ করা +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.","শুধুমাত্র আপডেট, নতুন রেকর্ড সন্নিবেশ না." apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,দৈনিক ইভেন্ট ডাইজেস্ট অনুস্মারক সেট করা হয় যেখানে ক্যালেন্ডার ইভেন্টের জন্য পাঠানো হয়. apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,ওয়েবসাইট দেখুন DocType: Workflow State,remove,অপসারণ DocType: Email Account,If non standard port (e.g. 587),অ মানক পোর্ট (যেমন 587) +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,সেটআপ> ব্যবহারকারীর অনুমতি ম্যানেজার +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,কোনো ডিফল্ট ঠিকানা টেমপ্লেট পাওয়া যায় নি। সেটআপ> মুদ্রণ এবং ব্র্যান্ডিং> ঠিকানা টেমপ্লেট থেকে একটি নতুন তৈরি করুন। apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,পুনরায় লোড করুন apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,যোগ আপনার নিজস্ব ট্যাগ ধরন apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,মোট @@ -1625,16 +1633,15 @@ apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",এর জন apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},DOCTYPE জন্য অনুমতি সেট করা যায় না: {0} এবং নাম: {1} apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,কি যোগ DocType: Footer Item,Company,কোম্পানি -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,দয়া করে সেটআপ> ইমেইল> ইমেল অ্যাকাউন্ট থেকে সেটআপ ডিফল্ট ইমেইল অ্যাকাউন্ট apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,আমার নির্ধারিত -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,গোপন শব্দ যাচাই +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,গোপন শব্দ যাচাই apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,ত্রুটি ছিল apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,ঘনিষ্ঠ apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,0 থেকে 2 docstatus পরিবর্তন করা যাবে না DocType: User Permission for Page and Report,Roles Permission,ভূমিকা অনুমতি apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,আপডেট DocType: Error Snapshot,Snapshot View,স্ন্যাপশট দেখুন -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,পাঠানোর আগে নিউজলেটার সংরক্ষণ করুন +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,পাঠানোর আগে নিউজলেটার সংরক্ষণ করুন apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},বিকল্প সারিতে ক্ষেত্রের {0} জন্য একটি বৈধ DOCTYPE হতে হবে {1} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,বৈশিষ্ট্য সম্পাদনা DocType: Patch Log,List of patches executed,প্যাচ তালিকা মৃত্যুদন্ড @@ -1642,17 +1649,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,যোগাযোগের মাধ্যম DocType: Website Settings,Banner HTML,ব্যানার এইচটিএমএল apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',দয়া করে অন্য একটি অর্থ প্রদানের পদ্ধতি নির্বাচন করুন। Razorpay মুদ্রায় লেনদেন অবলম্বন পাওয়া যায়নি '{0}' -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,ব্যাকআপ জন্য সারিবদ্ধ. এটি একটি ঘন্টা থেকে কয়েক মিনিট সময় লাগতে পারে. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,ব্যাকআপ জন্য সারিবদ্ধ. এটি একটি ঘন্টা থেকে কয়েক মিনিট সময় লাগতে পারে. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,নিবন্ধন OAUTH ক্লায়েন্ট অ্যাপ্লিকেশন apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""",{0} {1} হতে পারে না "{2}". এটা এক হতে হবে "{3}" -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} বা {1} +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} বা {1} apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,দেখান বা ডেস্কটপ আইকন লুকান apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,পাসওয়ার্ড আপডেট DocType: Workflow State,trash,আবর্জনা DocType: System Settings,Older backups will be automatically deleted,পুরাতন ব্যাক-আপ স্বয়ংক্রিয়ভাবে মুছে ফেলা হবে DocType: Event,Leave blank to repeat always,সবসময় পুনরাবৃত্তি ফাঁকা ছেড়ে দিন -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,নিশ্চিতকৃত +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,নিশ্চিতকৃত DocType: Event,Ends on,এ শেষ DocType: Payment Gateway,Gateway,প্রবেশপথ apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,লিঙ্ক দেখতে যথেষ্ট অনুমতি @@ -1660,18 +1667,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO",<Head> যোগ এইচটিএমএল ওয়েব পৃষ্ঠার বিভাগে প্রাথমিকভাবে ওয়েবসাইটে যাচাই এবং এসইও জন্য ব্যবহৃত apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,Relapsed apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,আইটেমটি নিজস্ব সন্তান যোগ করা যাবে না -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,সমষ্টিগুলি দেখান +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,সমষ্টিগুলি দেখান DocType: Error Snapshot,Relapses,Relapses DocType: Address,Preferred Shipping Address,পছন্দের শিপিং ঠিকানা DocType: Social Login Keys,Frappe Server URL,ফ্র্যাপে সার্ভারের URL -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,পত্র মাথা -apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} তৈরি করেছ এই {1} +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,পত্র মাথা +apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} এটা তৈরি করেছ {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,ডকুমেন্ট ভূমিকা ব্যবহারকারীদের দ্বারা শুধুমাত্র সম্পাদনাযোগ্য apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.",আপনি {1} দ্বারা {2} বন্ধ করা হয়েছে নির্ধারিত যে টাস্ক {0}. DocType: Print Format,Show Line Breaks after Sections,দেখান লাইন সেকশনস পর Breaks DocType: Blogger,Short Name,সংক্ষিপ্ত নাম apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},পাতা {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).","আপনি সিঙ্ক বিকল্পটি নির্বাচন করা হয় হিসাবে সব, এটি সার্ভার থেকে সব \ পড়া সেইসাথে অপঠিত বার্তা পুনঃসিঙ্ক হবে। এই কমিউনিকেশন (ইমেল) এর অনুলিপি \ হতে পারে।" apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,ফাইল সাইজ @@ -1680,7 +1687,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,অবরুদ্ধ DocType: Contact Us Settings,"Default: ""Contact Us""",ডিফল্ট: "যোগাযোগ" DocType: Contact,Purchase Manager,ক্রয় ম্যানেজার -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.","শ্রেনী 0 নথি স্তর অনুমতি, মাঠ পর্যায়ে অনুমতির জন্য উচ্চ মাত্রার জন্য." DocType: Custom Script,Sample,নমুনা apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,Uncategorised ট্যাগ্স apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore","ইউজারনেম অক্ষর, সংখ্যা এবং আন্ডারস্কোর ছাড়া অন্য কোন বিশেষ অক্ষর ধারণ করা উচিত নয়" @@ -1703,7 +1709,7 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please up apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,মাস DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,Protip: যোগ Reference: {{ reference_doctype }} {{ reference_name }} পাঠাতে নথি রেফারেন্স apps/frappe/frappe/modules/utils.py +202,App not found,অ্যাপ্লিকেশন পাওয়া যায় না -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},তৈরি করতে পারবেন একটি {0} একটি সন্তানের দলিল বিরুদ্ধে: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},তৈরি করতে পারবেন একটি {0} একটি সন্তানের দলিল বিরুদ্ধে: {1} DocType: Portal Settings,Custom Sidebar Menu,কাস্টম সাইডবার মেনু DocType: Workflow State,pencil,পেন্সিল apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,বার্তা এবং অন্যান্য বিজ্ঞপ্তি চ্যাট. @@ -1713,11 +1719,11 @@ apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please ente DocType: Workflow State,hand-up,হাত তোল DocType: Blog Settings,Writers Introduction,রাইটার্স ভূমিকা DocType: Communication,Phone,ফোন -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,ত্রুটি মূল্যায়নের ইমেইল এলার্ট {0}. আপনার টেমপ্লেট ঠিক করুন. +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,ত্রুটি মূল্যায়নের ইমেইল এলার্ট {0}. আপনার টেমপ্লেট ঠিক করুন. apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,নির্বাচন ডকুমেন্ট প্রকার ভূমিকা বা শুরু করার জন্য. DocType: Contact,Passive,নিষ্ক্রিয় DocType: Contact,Accounts Manager,হিসাবরক্ষক ব্যবস্থাপক -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,নির্বাচন ফাইল টাইপ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,নির্বাচন ফাইল টাইপ DocType: Help Article,Knowledge Base Editor,নলেজ বেস সম্পাদক apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,পৃষ্ঠা খুঁজে পাওয়া যায়নি DocType: DocField,Precision,স্পষ্টতা @@ -1726,7 +1732,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,গ্রুপ DocType: Workflow State,Workflow State,কর্মপ্রবাহ রাজ্য apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,সারি যোগ করা -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,সফল! আপনি যেতে ভাল হয় 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,সফল! আপনি যেতে ভাল হয় 👍 apps/frappe/frappe/www/me.html +3,My Account,আমার অ্যাকাউন্ট DocType: ToDo,Allocated To,বরাদ্দ apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,আপনার নতুন পাসওয়ার্ড সেট করতে নিচের লিঙ্কে ক্লিক করুন @@ -1748,7 +1754,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,নথি apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,লগইন আইডি apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},আপনার তৈরি করা {0} এর {1} DocType: OAuth Authorization Code,OAuth Authorization Code,OAuth এর অনুমোদন কোড -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,আমদানি করার অনুমতি দেওয়া হয়নি +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,আমদানি করার অনুমতি দেওয়া হয়নি DocType: Social Login Keys,Frappe Client Secret,ফ্র্যাপে ক্লায়েন্ট সিক্রেট DocType: Deleted Document,Deleted DocType,মোছা DOCTYPE apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,অনুমতি মাত্রা @@ -1756,11 +1762,11 @@ DocType: Workflow State,Warning,সতর্কতা DocType: Tag Category,Tag Category,ট্যাগ শ্রেণী apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!","একটি গ্রুপ একই নামের সঙ্গে বিদ্যমান কারণ, আইটেম {0} উপেক্ষা!" apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,বাতিল করা হয়েছে ডকুমেন্ট পুনরুদ্ধার করা যাবে না -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,সাহায্য +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,সাহায্য DocType: User,Login Before,লগইন আগে DocType: Web Page,Insert Style,সন্নিবেশ স্টাইল apps/frappe/frappe/config/setup.py +253,Application Installer,আবেদন ইনস্টলার -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,নতুন রিপোর্ট নাম +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,নতুন রিপোর্ট নাম apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,হয় DocType: Workflow State,info-sign,তথ্য-চিহ্ন apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,জন্য {0} একটি তালিকা হতে পারে না মূল্য @@ -1768,9 +1774,10 @@ DocType: Currency,"How should this currency be formatted? If not set, will use s apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,দেখান ব্যবহারকারীর অনুমতি apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,আপনি লগইন এবং ব্যাকআপ অ্যাক্সেস পাবে সিস্টেম ম্যানেজার ভূমিকা আছে হবে. apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,অবশিষ্ট +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,

    কোন ফলাফল 'পাওয়া যায়নি

    apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,সংযোজনের পূর্বে সংরক্ষণ করুন. -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),যোগ করা হয়েছে {0} ({1}) -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},ডিফল্ট থিম সেট করা হয় {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),যোগ করা হয়েছে {0} ({1}) +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},ডিফল্ট থিম সেট করা হয় {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},Fieldtype থেকে পরিবর্তন করা যাবে না {0} থেকে {1} সারিতে {2} apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,ভূমিকা অনুমতি DocType: Help Article,Intermediate,অন্তর্বর্তী @@ -1786,11 +1793,12 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,রিফ্র DocType: Event,Starts on,শুরু হয় DocType: System Settings,System Settings,পদ্ধতি নির্ধারণ apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,সেশন শুরু ব্যর্থ -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},এই ইমেইল {0} পাঠানো এবং কপি করা হয়েছে {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},এই ইমেইল {0} পাঠানো এবং কপি করা হয়েছে {1} DocType: Workflow State,th,ম -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},তৈরি করুন একটি নতুন {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,সেটআপ> ব্যবহারকারী +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},তৈরি করুন একটি নতুন {0} DocType: Email Rule,Is Spam,স্প্যাম -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},গালাগাল প্রতিবেদন {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},গালাগাল প্রতিবেদন {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},ওপেন {0} DocType: OAuth Client,Default Redirect URI,ডিফল্ট পুনর্চালনা কোনো URI DocType: Email Alert,Recipients,প্রাপক @@ -1799,13 +1807,13 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,নকল DocType: Newsletter,Create and Send Newsletters,তৈরি করুন এবং পাঠান লেটার apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,জন্ম তারিখ থেকে আগে হওয়া আবশ্যক apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,"চেক করা আবশ্যক, যা মান ক্ষেত্র উল্লেখ করুন" -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added","মূল" এই সারিতে যোগ করা হবে যা প্যারেন্ট টেবিল উল্লেখ +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added","মূল" এই সারিতে যোগ করা হবে যা প্যারেন্ট টেবিল উল্লেখ DocType: Website Theme,Apply Style,শৈলী প্রয়োগ DocType: Feedback Request,Feedback Rating,প্রতিক্রিয়া রেটিং apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,সাথে ভাগ DocType: Help Category,Help Articles,সাহায্য প্রবন্ধ ,Modules Setup,মডিউল সেটআপ -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,শ্রেণী: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,শ্রেণী: DocType: Communication,Unshared,ভাগমুক্ত apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,মডিউল পাওয়া যায়নি DocType: User,Location,অবস্থান @@ -1813,14 +1821,14 @@ apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},ন ,Permitted Documents For User,ব্যবহারকারী অনুমোদিত ডকুমেন্টস apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission",আপনি "শেয়ার" অনুমতি থাকতে হবে DocType: Communication,Assignment Completed,অ্যাসাইনমেন্ট সম্পন্ন -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},বাল্ক সম্পাদনা {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},বাল্ক সম্পাদনা {0} DocType: Email Alert Recipient,Email Alert Recipient,ইমেইল এলার্ট প্রাপক apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,সক্রিয় নয় DocType: About Us Settings,Settings for the About Us Page,আমাদের সম্পর্কে পৃষ্ঠার জন্য সেটিংস apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,ডোরা পেমেন্ট গেটওয়ে সেটিংস apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,ডকুমেন্ট সিলেক্ট প্রকার ডাউনলোড করতে DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,যেমন pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,রেকর্ডের ফিল্টার ক্ষেত্র ব্যবহার +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,রেকর্ডের ফিল্টার ক্ষেত্র ব্যবহার DocType: DocType,View Settings,সেটিংস দেখুন DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll","আপনার কর্মী জুড়ুন যাতে আপনি পাতা, খরচ এবং মাইনে পরিচালনা করতে পারেন" @@ -1830,9 +1838,9 @@ apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 charac DocType: OAuth Client,App Client ID,অ্যাপ ক্লায়েন্ট আইডি DocType: Kanban Board,Kanban Board Name,Kanban বোর্ড নাম DocType: Email Alert Recipient,"Expression, Optional","এক্সপ্রেশন, ঐচ্ছিক" -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},এই ইমেইল পাঠানো হয়েছিল {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},এই ইমেইল পাঠানো হয়েছিল {0} DocType: DocField,Remember Last Selected Value,মনে রাখুন সর্বশেষ নির্বাচিত মূল্য -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,দয়া করে নির্বাচন করুন ডকুমেন্ট টাইপ +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,দয়া করে নির্বাচন করুন ডকুমেন্ট টাইপ DocType: Email Account,Check this to pull emails from your mailbox,এই আপনার মেইলবক্স থেকে ইমেইল টান চেক apps/frappe/frappe/limits.py +139,click here,এখানে ক্লিক করুন apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,বাতিল নথি সম্পাদনা করা যায় না @@ -1855,26 +1863,26 @@ DocType: Communication,Has Attachment,সংযুক্তি আছে DocType: Contact,Sales User,সেলস ব্যবহারকারী apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,ড্র্যাগ এবং ড্রপ টুল নির্মাণ ও মুদ্রণ বিন্যাস কাস্টমাইজ. apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,বিস্তৃত করা -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,সেট +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,সেট DocType: Email Alert,Trigger Method,ট্রিগার পদ্ধতি DocType: Workflow State,align-right,সারিবদ্ধ-ডান DocType: Auto Email Report,Email To,ইমেইল apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,ফোল্ডার {0} ফাঁকা নয় DocType: Page,Roles,ভূমিকা -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,মাঠ {0} নির্বাচনযোগ্য নয়. +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,মাঠ {0} নির্বাচনযোগ্য নয়. DocType: System Settings,Session Expiry,সেশন মেয়াদ উত্তীর্ন DocType: Workflow State,ban-circle,নিষেধাজ্ঞা-বৃত্ত DocType: Email Flag Queue,Unread,অপঠিত DocType: Bulk Update,Desk,ডেস্ক apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,একটি নির্বাচন ক্যোয়ারী লিখুন. উল্লেখ্য ফলাফলের (সব তথ্য এক বারেই পাঠানো হয়) পেজড না হয়. DocType: Email Account,Attachment Limit (MB),সংযুক্তি সীমা (মেগাবাইট) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,সেটআপ অটো ইমেইল +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,সেটআপ অটো ইমেইল apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,Ctrl + নিচের -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,এই শীর্ষ -10 সাধারণ পাসওয়ার্ড. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,এই শীর্ষ -10 সাধারণ পাসওয়ার্ড. DocType: User,User Defaults,ব্যবহারকারী ডিফল্ট apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,নতুন তৈরি DocType: Workflow State,chevron-down,শেভ্রন-ডাউন -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),পাঠানো না ইমেইল {0} (প্রতিবন্ধী / আন-সাবস্ক্রাইব) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),পাঠানো না ইমেইল {0} (প্রতিবন্ধী / আন-সাবস্ক্রাইব) DocType: Async Task,Traceback,ট্রেসব্যাক DocType: Currency,Smallest Currency Fraction Value,ক্ষুদ্রতম একক ভগ্নাংশ মূল্য apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,ধার্য @@ -1885,7 +1893,7 @@ DocType: User,Restrict user from this IP address only. Multiple IP addresses can DocType: Communication,From,থেকে DocType: Website Theme,Google Font (Heading),গুগল ফন্ট (শিরোনাম) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,প্রথমে একটি গ্রুপ নোড নির্বাচন. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},তে {0} মধ্যে {1} +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},তে {0} মধ্যে {1} DocType: OAuth Client,Implicit,অন্তর্নিহিত DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","(ক্ষেত্রগুলি, "স্থিতি" থাকতে হবে "আনুষঙ্গিক") এই DOCTYPE বিরুদ্ধে যোগাযোগের হিসাবে সংযোজন" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1902,8 +1910,10 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loadi apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.","ফেসবুক, গুগল, গিটহাব মাধ্যমে লগ ইন করতে পারেন কী লিখতে." DocType: Auto Email Report,Filter Data,ফিল্টার ডেটা apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,একটি ট্যাগ যুক্ত -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,প্রথম একটি ফাইলটি যুক্ত করুন. +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,প্রথম একটি ফাইলটি যুক্ত করুন. apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator","নামের সেটিং কিছু ত্রুটি ছিল, প্রশাসকের সাথে যোগাযোগ করুন" +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.",তুমি তোমার পরিবর্তে নাম আপনার ইমেল লিখেছি বলে মনে হচ্ছে। যাতে আমরা ফিরে পেতে পারেন \ অনুগ্রহ করে একটি বৈধ ইমেইল ঠিকানা লিখুন। DocType: Website Slideshow Item,Website Slideshow Item,ওয়েবসাইট স্লাইড আইটেম DocType: Portal Settings,Default Role at Time of Signup,সাইনআপ করার সময় ডিফল্ট ভূমিকা DocType: DocType,Title Case,শিরোনাম কেস @@ -1911,7 +1921,7 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ",বিকল্প নামকরণ:
    1. ক্ষেত্র: [FIELDNAME] - মাঠ
    2. naming_series: - সিরিজ নামকরণের দ্বারা (ক্ষেত্র নামক naming_series উপস্থিত হতে হবে
    3. প্রম্পট - একটি নামের জন্য ব্যবহারকারীকে অনুরোধ জানানো হয়
    4. [ধারাবাহিক] - উপসর্গ (একটি বিন্দু দ্বারা পৃথকীকৃত) দ্বারা সিরিজ; উদাহরণস্বরূপ প্রি জন্য. #####
    DocType: Blog Post,Email Sent,ইমেইল পাঠানো DocType: DocField,Ignore XSS Filter,XSS ফিল্টার Ignore -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,অপসারিত +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,অপসারিত apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,ড্রপবক্স ব্যাকআপ সেটিংস apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,ইমেইল পাঠান DocType: Website Theme,Link Color,লিংক রঙ @@ -1932,9 +1942,9 @@ DocType: Letter Head,Letter Head Name,চিঠি মাথা নাম DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),কলামের সংখ্যা একটি তালিকা দেখুন অথবা একটি গ্রিড একটি ক্ষেত্রের জন্য (মোট কলাম 11 চেয়ে কম হওয়া উচিত) apps/frappe/frappe/config/website.py +18,User editable form on Website.,ওয়েবসাইটে ব্যবহারকারীর সম্পাদনযোগ্য ফর্ম. DocType: Workflow State,file,ফাইল -apps/frappe/frappe/www/login.html +103,Back to Login,প্রবেশ করতে পেছান +apps/frappe/frappe/www/login.html +108,Back to Login,প্রবেশ করতে পেছান apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,আপনি নামান্তর অনুমতি লিখুন প্রয়োজন -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,নিয়ম প্রযোজ্য +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,নিয়ম প্রযোজ্য DocType: User,Karma,কর্মফল DocType: DocField,Table,টেবিল DocType: File,File Size,ফাইলের আকার @@ -1944,7 +1954,7 @@ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Coun apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,মধ্যে DocType: Async Task,Queued,সারিবদ্ধ DocType: PayPal Settings,Use Sandbox,ব্যবহারের স্যান্ডবক্স -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,নতুন কাস্টম মুদ্রন বিন্যাস +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,নতুন কাস্টম মুদ্রন বিন্যাস DocType: Custom DocPerm,Create,তৈরি করুন apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},অকার্যকর ফিল্টার: {0} DocType: Email Account,no failed attempts,কোন ব্যর্থ প্রচেষ্টা @@ -1968,8 +1978,8 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,সংকেত DocType: DocType,Show Print First,দেখান Print প্রথম apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,Ctrl + পোষ্ট করতে লিখুন -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},একটি নতুন {0} -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,নতুন ইমেল অ্যাকাউন্ট +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},একটি নতুন {0} +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,নতুন ইমেল অ্যাকাউন্ট apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),মাপ (মেগাবাইট) DocType: Help Article,Author,লেখক apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,পুনঃসূচনা পাঠানো @@ -1979,7 +1989,7 @@ DocType: Print Settings,Monochrome,একবর্ণ DocType: Contact,Purchase User,ক্রয় ব্যবহারকারী DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.","ভিন্ন "যুক্তরাষ্ট্র" এই নথি "ওপেন" ভালো লেগেছে. এ উপস্থিত হতে পারে, "অনুমোদন মুলতুবি" ইত্যাদি" apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,এই লিঙ্কটি অকার্যকর বা মেয়াদ শেষ হয়. আপনি সঠিকভাবে আটকানো আছে দয়া করে নিশ্চিত করুন. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} সফলভাবে এই মেলিং তালিকা থেকে সদস্যতামুক্ত করা হয়েছে। +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} সফলভাবে এই মেলিং তালিকা থেকে সদস্যতামুক্ত করা হয়েছে। DocType: Web Page,Slideshow,ছবি apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,ডিফল্ট ঠিকানা টেমপ্লেট মোছা যাবে না DocType: Contact,Maintenance Manager,রক্ষণাবেক্ষণ ব্যাবস্থাপক @@ -1993,13 +2003,16 @@ apps/frappe/frappe/model/document.py +1047,This document is currently queued for apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,ফাইল '{0}' পাওয়া যায়নি apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,বিভাগটি অপসারণ DocType: User,Change Password,পাসওয়ার্ড পরিবর্তন করুন -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},অবৈধ ইমেল: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},অবৈধ ইমেল: {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,ইভেন্ট শেষে শুরুর পরে হবে apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},আপনি যদি একটি রিপোর্ট পেতে অনুমতি নেই: {0} DocType: DocField,Allow Bulk Edit,বাল্ক সম্পাদনা করার অনুমতি দিন DocType: Blog Post,Blog Post,ব্লগ পোস্ট -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,উন্নত অনুসন্ধান +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,উন্নত অনুসন্ধান apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,পাসওয়ার্ড রিসেট নির্দেশাবলী আপনার ইমেইল পাঠানো হয়েছে +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.","শ্রেনী 0 ডকুমেন্ট স্তর অনুমতিগুলি, \ মাঠ পর্যায় অনুমতির জন্য উচ্চ মাত্রার জন্য।" +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,ক্রমানুসার DocType: Workflow,States,যুক্তরাষ্ট্র DocType: Email Alert,Attach Print,প্রিন্ট সংযুক্ত apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},প্রস্তাবিত ইউজারনেম: {0} @@ -2007,7 +2020,7 @@ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,দিন ,Modules,মডিউল apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,ডেস্কটপ আইকন সেট করুন apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,পেমেন্ট সাফল্য -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,কোন {0} মেইল +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,কোন {0} মেইল DocType: OAuth Bearer Token,Revoked,প্রত্যাহার করা হয়েছে DocType: Web Page,Sidebar and Comments,সাইডবার এবং মন্তব্যসমূহ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.","আপনি একটি নথি পরে তা বাতিল এবং সংরক্ষণ সংশোধন হলে, এটা পুরানো সংখ্যা একটি সংস্করণ যে একটি নতুন নম্বর পেতে হবে." @@ -2015,17 +2028,17 @@ DocType: Stripe Settings,Publishable Key,প্রকাশযোগ্য ক DocType: Workflow State,circle-arrow-left,বৃত্ত-তীর-বাম apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,Redis ক্যাশে সার্ভার চলমান না. অ্যাডমিনিস্ট্রেটর / কারিগরি সহায়তা সাথে যোগাযোগ করুন apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,পার্টির নাম -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,একটি নতুন রেকর্ড করতে +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,একটি নতুন রেকর্ড করতে apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,খোঁজ DocType: Currency,Fraction,ভগ্নাংশ DocType: LDAP Settings,LDAP First Name Field,দ্বারা LDAP প্রথম নাম ফিল্ড -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,বিদ্যমান সংযুক্তি থেকে নির্বাচন +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,বিদ্যমান সংযুক্তি থেকে নির্বাচন DocType: Custom Field,Field Description,মাঠ বর্ণনা apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,প্রম্পট মাধ্যমে নির্ধারণ করে না নাম -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,ইমেল ইনবক্স +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,ইমেল ইনবক্স DocType: Auto Email Report,Filters Display,ফিল্টার প্রদর্শন DocType: Website Theme,Top Bar Color,শীর্ষ বার রঙ -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,আপনি এই মেইলিং লিস্ট থেকে সদস্যতা ত্যাগ করতে চান? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,আপনি এই মেইলিং লিস্ট থেকে সদস্যতা ত্যাগ করতে চান? DocType: Address,Plant,উদ্ভিদ apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,সবগুলোর উত্তর দাও DocType: DocType,Setup,সেটআপ @@ -2035,8 +2048,8 @@ DocType: Workflow State,glass,কাচ DocType: DocType,Timeline Field,সময়রেখা ফিল্ড DocType: Country,Time Zones,সময় মন্ডল apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,সেখানে অন্তত একটি অনুমতির নিয়ম হবে. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,জানানোর পান -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,আপনি ড্রপবক্স অ্যাক্সেস apporve করা হয়নি. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,জানানোর পান +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,আপনি ড্রপবক্স অ্যাক্সেস apporve করা হয়নি. DocType: DocField,Image,ভাবমূর্তি DocType: Workflow State,remove-sign,অপসারণ-সাইন apps/frappe/frappe/www/search.html +30,Type something in the search box to search,অনুসন্ধান করতে অনুসন্ধান বাক্সে কিছু লিখুন @@ -2045,9 +2058,9 @@ DocType: Communication,Other,অন্যান্য apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,নতুন বিন্যাস শুরু apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,একটি ফাইলটি যুক্ত করুন DocType: Workflow State,font,ফন্ট -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,এই শীর্ষ -100 সাধারণ পাসওয়ার্ড. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,এই শীর্ষ -100 সাধারণ পাসওয়ার্ড. apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,পপ-আপগুলি সচল করুন -DocType: Contact,Mobile No,মোবাইল নাম্বার +DocType: User,Mobile No,মোবাইল নাম্বার DocType: Communication,Text Content,টেক্সট বিষয়বস্তু DocType: Customize Form Field,Is Custom Field,কাস্টম ক্ষেত্র DocType: Workflow,"If checked, all other workflows become inactive.","চেক করা থাকলে, সব অন্যান্য workflows নিষ্ক্রিয় হয়ে." @@ -2062,7 +2075,7 @@ DocType: Email Flag Queue,Action,কর্ম apps/frappe/frappe/www/update-password.html +111,Please enter the password,পাসওয়ার্ড লিখুন apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,বাতিল নথি প্রিন্ট করতে পারবেন না apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,আপনি কলাম তৈরি করার অনুমতি দেওয়া হয় না -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,তথ্য: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,তথ্য: DocType: Custom Field,Permission Level,অনুমতি শ্রেনী DocType: User,Send Notifications for Transactions I Follow,আমি অনুসরণ লেনদেন জন্য বিজ্ঞপ্তি পাঠাতে apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write","{0}: সরিয়ে ফেলতে চান, লেখা ছাড়া সংশোধন সেট করা যায় না" @@ -2080,11 +2093,11 @@ DocType: DocField,In List View,তালিকা দেখুন DocType: Email Account,Use TLS,ব্যবহারের জন্য TLS apps/frappe/frappe/email/smtp.py +24,Invalid login or password,অবৈধ লগইন অথবা পাসওয়ার্ড apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,ফর্ম কাস্টম জাভাস্ক্রিপ্ট করো. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,SR কোন +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,SR কোন ,Role Permissions Manager,ভূমিকা অনুমতি ম্যানেজার apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,নতুন মুদ্রণ বিন্যাস নাম -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,সংযুক্তি পরিষ্কার -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,আবশ্যিক: +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,সংযুক্তি পরিষ্কার +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,আবশ্যিক: ,User Permissions Manager,ব্যবহারকারীর অনুমতি ম্যানেজার DocType: Property Setter,New value to be set,নতুন মান সেট করা DocType: Email Alert,Days Before or After,দিন আগে বা পরে @@ -2120,14 +2133,14 @@ apps/frappe/frappe/model/base_document.py +428,Value missing for,মূল্য apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,শিশু করো apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: জমা রেকর্ড মুছে ফেলা যাবে না. apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,ব্যাকআপ ফাইলের আকার -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,ডকুমেন্টের নতুন ধরনের +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,ডকুমেন্টের নতুন ধরনের DocType: Custom DocPerm,Read,পড়া DocType: Role Permission for Page and Report,Role Permission for Page and Report,পেজ এবং প্রতিবেদনের জন্য ভূমিকা অনুমতি apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,সারিবদ্ধ মূল্য apps/frappe/frappe/www/update-password.html +14,Old Password,পুরনো পাসওয়ার্ড apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},দ্বারা পোস্ট {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.","বিন্যাস কলামে, ক্যোয়ারী কলাম লেবেল দিতে." -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,একটি একাউন্ট আছে না? নিবন্ধন করুন +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,একটি একাউন্ট আছে না? নিবন্ধন করুন apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,{0}: Submittable না হলে বরাদ্দ সংশোধন সেট করা যায় না apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,সম্পাদনা ভূমিকা অনুমতি DocType: Communication,Link DocType,লিংক DOCTYPE @@ -2141,7 +2154,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,শিশ apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,আপনি যে পৃষ্ঠাটি খুঁজছেন অনুপস্থিত. এটা এ কারণে যে এটি সরানো হয় বা সেখানে লিংক একটি টাইপো হয় হতে পারে. apps/frappe/frappe/www/404.html +13,Error Code: {0},ত্রুটি কোড: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)",", প্লেইন টেক্সট, লাইন মাত্র কয়েক পৃষ্ঠা তালিকা জন্য বর্ণনা. (সর্বোচ্চ 140 অক্ষরের)" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,ব্যবহারকারীর সীমাবদ্ধতা যোগ +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,ব্যবহারকারীর সীমাবদ্ধতা যোগ DocType: DocType,Name Case,নাম কেস apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,সবার সাথে ভাগ করুন apps/frappe/frappe/model/base_document.py +423,Data missing in table,ডেটা টেবিলের অনুপস্থিত @@ -2165,7 +2178,7 @@ apps/frappe/frappe/public/js/frappe/roles_editor.js +28,Add all roles,সব ভ apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your email and message so that we \ can get back to you. Thanks!",আমরা আপনাকে ফেরত পেতে পারেন \ যাতে আপনার ইমেইল এবং পাঠান উভয় লিখুন. ধন্যবাদ! apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,বহির্গামী ইমেইল সার্ভারের সাথে সংযোগ করা যায়নি -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,আমাদের আপডেট সাবস্ক্রাইব আপনার আগ্রহের জন্য আপনাকে ধন্যবাদ +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,আমাদের আপডেট সাবস্ক্রাইব আপনার আগ্রহের জন্য আপনাকে ধন্যবাদ apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,কাস্টম কলাম DocType: Workflow State,resize-full,পুনরায় আকার-পূর্ণ DocType: Workflow State,off,বন্ধ @@ -2183,10 +2196,10 @@ DocType: OAuth Bearer Token,Expires In,মেয়াদ শেষ DocType: DocField,Allow on Submit,জমা দিন মঞ্জুরি দিন DocType: DocField,HTML,এইচটিএমএল DocType: Error Snapshot,Exception Type,ব্যতিক্রম ধরণ -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,কলাম চয়ন +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,কলাম চয়ন DocType: Web Page,Add code as <script>,<Script> হিসাবে কোড যোগ apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +7,Select Type,নির্বাচন ধরন -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +24,Please enter values for App Access Key and App Secret Key,অ্যাপ্লিকেশন অ্যাক্সেস কী এবং অ্যাপ সিক্রেট কী জন্য মান লিখুন দয়া করে +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +26,Please enter values for App Access Key and App Secret Key,অ্যাপ্লিকেশন অ্যাক্সেস কী এবং অ্যাপ সিক্রেট কী জন্য মান লিখুন দয়া করে DocType: Web Form,Accept Payment,পেমেন্ট গ্রহণ করুন apps/frappe/frappe/config/core.py +62,A log of request errors,অনুরোধ ত্রুটি লগ DocType: Report,Letter Head,চিঠি মাথা @@ -2216,11 +2229,11 @@ apps/frappe/frappe/public/js/frappe/request.js +111,Please try again,অনু apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 3,অপশন 3 DocType: Unhandled Email,uid,ইউআইডি DocType: Workflow State,Edit,সম্পাদন করা -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Permissions can be managed via Setup > Role Permissions Manager,অনুমতি সেটআপ> ভূমিকা অনুমতি ম্যানেজার মাধ্যমে পরিচালিত হতে পারে +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +226,Permissions can be managed via Setup > Role Permissions Manager,অনুমতি সেটআপ> ভূমিকা অনুমতি ম্যানেজার মাধ্যমে পরিচালিত হতে পারে DocType: Contact Us Settings,Pincode,পিনকোড apps/frappe/frappe/core/page/data_import_tool/importer.py +81,Please make sure that there are no empty columns in the file.,কোন খালি কলাম ফাইলে আছে দয়া করে নিশ্চিত করুন. apps/frappe/frappe/utils/oauth.py +232,Please ensure that your profile has an email address,আপনার প্রোফাইল একটি ইমেইল ঠিকানা আছে কিনা তা নিশ্চিত করুন -apps/frappe/frappe/public/js/frappe/model/create_new.js +282,You have unsaved changes in this form. Please save before you continue.,আপনি এই ফর্মটি আবার এ অসংরক্ষিত পরিবর্তন রয়েছে. আপনি অবিরত করার পূর্বে সংরক্ষণ করুন. +apps/frappe/frappe/public/js/frappe/model/create_new.js +286,You have unsaved changes in this form. Please save before you continue.,আপনি এই ফর্মটি আবার এ অসংরক্ষিত পরিবর্তন রয়েছে. আপনি অবিরত করার পূর্বে সংরক্ষণ করুন. apps/frappe/frappe/core/doctype/doctype/doctype.py +439,Default for {0} must be an option,{0} একটি বিকল্প হতে হবে এর জন্য ডিফল্ট DocType: Tag Doc Category,Tag Doc Category,ট্যাগ ডক শ্রেণী DocType: User,User Image,ব্যবহারকারী চিত্র @@ -2228,10 +2241,10 @@ apps/frappe/frappe/email/queue.py +286,Emails are muted,ইমেইল নি apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Up,Ctrl + আপ DocType: Website Theme,Heading Style,শিরোনাম শৈলী apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,এই নামের একটি নতুন প্রকল্প তৈরি করা হবে -apps/frappe/frappe/utils/data.py +527,1 weeks ago,1 সপ্তাহ আগে +apps/frappe/frappe/utils/data.py +528,1 weeks ago,1 সপ্তাহ আগে apps/frappe/frappe/desk/page/applications/applications.py +75,You cannot install this app,আপনি এই অ্যাপ্লিকেশন ইনস্টল করা যাবে না DocType: Communication,Error,ভুল -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +89,Do not send Emails.,ইমেল পাঠাবেন না. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +99,Do not send Emails.,ইমেল পাঠাবেন না. DocType: DocField,Column Break,কলাম বিরতি DocType: Event,Thursday,বৃহস্পতিবার apps/frappe/frappe/utils/response.py +143,You don't have permission to access this file,আপনি এই ফাইলটি অ্যাক্সেস করতে অনুমতি নেই @@ -2275,25 +2288,23 @@ apps/frappe/frappe/config/desk.py +38,Private and public Notes.,সরকার DocType: DocField,Datetime,তারিখ সময় apps/frappe/frappe/templates/includes/login/login.js +174,Not a valid user,একটি বৈধ ব্যবহারকারী DocType: Workflow State,arrow-right,তীর-ডান -apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} বছর (গুলি) আগে DocType: Workflow State,Workflow state represents the current state of a document.,কর্মপ্রবাহ রাষ্ট্র একটি নথির বর্তমান রাষ্ট্র প্রতিনিধিত্ব করে. apps/frappe/frappe/utils/oauth.py +221,Token is missing,টোকেন অনুপস্থিত apps/frappe/frappe/utils/file_manager.py +269,Removed {0},সরানো হয়েছে {0} DocType: Company History,Highlight,লক্ষণীয় করা DocType: OAuth Provider Settings,Force,বল DocType: DocField,Fold,ভাঁজ -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +656,Ascending,ঊর্ধ্বগামী +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Ascending,ঊর্ধ্বগামী apps/frappe/frappe/printing/doctype/print_format/print_format.py +19,Standard Print Format cannot be updated,স্ট্যান্ডার্ড মুদ্রণ বিন্যাস আপডেট করা যাবে না apps/frappe/frappe/public/js/frappe/model/model.js +537,Please specify,অনুগ্রহ করে নির্দিষ্ট করুন DocType: Communication,Bot,বট DocType: Help Article,Help Article,সহায়তা নিবন্ধ DocType: Page,Page Name,পৃষ্ঠার নাম -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +202,Help: Field Properties,সাহায্য: মাঠ প্রোপার্টি -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +134,Importing...,আমদানি করা হচ্ছে ... +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +203,Help: Field Properties,সাহায্য: মাঠ প্রোপার্টি +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +137,Importing...,আমদানি করা হচ্ছে ... apps/frappe/frappe/core/doctype/file/file.js +27,Unzip,আনজিপ apps/frappe/frappe/model/document.py +923,Incorrect value in row {0}: {1} must be {2} {3},সারিতে ভুল মান {0}: {1} {2} হতে হবে {3} apps/frappe/frappe/workflow/doctype/workflow/workflow.py +67,Submitted Document cannot be converted back to draft. Transition row {0},লগইন ডকুমেন্ট খসড়া ফিরে রূপান্তরিত করা যাবে না. স্থানান্তরণ সারিতে {0} -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,সেটআপ> ব্যবহারকারী apps/frappe/frappe/desk/reportview.py +217,Deleting {0},মুছে ফেলা হচ্ছে {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start.html +2,Select an existing format to edit or start a new format.,সম্পাদনা করুন অথবা একটি নতুন বিন্যাস শুরু করার একটি বিদ্যমান বিন্যাস নির্বাচন করুন. apps/frappe/frappe/workflow/doctype/workflow/workflow.py +38,Created Custom Field {0} in {1},নির্মিত কাস্টম ফিল্ড {0} মধ্যে {1} @@ -2311,12 +2322,12 @@ DocType: OAuth Provider Settings,Auto,অটো DocType: Workflow State,question-sign,প্রশ্ন-চিহ্ন DocType: Email Account,Add Signature,সাক্ষর যুক্ত apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +38,Left this conversation,এই কথোপকথনটি ছেড়ে গেছে -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +479,Did not set,সেট করা হয়নি +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Did not set,সেট করা হয়নি ,Background Jobs,পটভূমি জবস DocType: ToDo,ToDo,করতে DocType: DocField,No Copy,কোন কপি DocType: Workflow State,qrcode,QRCode -apps/frappe/frappe/www/login.html +29,Login with LDAP,দ্বারা LDAP দিয়ে লগইন করুন +apps/frappe/frappe/www/login.html +34,Login with LDAP,দ্বারা LDAP দিয়ে লগইন করুন DocType: Web Form,Breadcrumbs,Breadcrumbs apps/frappe/frappe/core/doctype/doctype/doctype.py +637,If Owner,মালিক যদি DocType: OAuth Authorization Code,Expiration time,মেয়াদ অতিক্রান্ত হওয়ার সময় @@ -2325,7 +2336,7 @@ DocType: Web Form,Show Sidebar,পার্শ্বদণ্ড দেখান apps/frappe/frappe/website/doctype/web_form/web_form.py +128,You need to be logged in to access this {0}.,আপনি এই অ্যাক্সেস করতে লগ করা প্রয়োজন {0}. apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +142,Complete By,দ্বারা সম্পূর্ণ apps/frappe/frappe/templates/includes/comments/comments.py +48,{0} by {1},{1} দ্বারা {0} -apps/frappe/frappe/utils/password_strength.py +169,All-uppercase is almost as easy to guess as all-lowercase.,অল-য়ের বড়হাতের অক্ষর ছোটহাতের প্রায় তাদেরকে অল-ছোটহাতের হিসেবে অনুমান করা সহজ. +apps/frappe/frappe/utils/password_strength.py +171,All-uppercase is almost as easy to guess as all-lowercase.,অল-য়ের বড়হাতের অক্ষর ছোটহাতের প্রায় তাদেরকে অল-ছোটহাতের হিসেবে অনুমান করা সহজ. DocType: Feedback Trigger,Email Fieldname,ইমেল FIELDNAME DocType: Website Settings,Top Bar Items,শীর্ষ বার আইটেম apps/frappe/frappe/email/doctype/email_account/email_account.py +53,"Email id must be unique, Email Account is already exist \ @@ -2335,19 +2346,17 @@ DocType: Page,Yes,হাঁ DocType: DocType,Max Attachments,সর্বোচ্চ সংযুক্তি DocType: Desktop Icon,Page,পৃষ্ঠা apps/frappe/frappe/utils/bot.py +145,Could not find {0} in {1},খুঁজে পাওয়া যায়নি {0} মধ্যে {1} -apps/frappe/frappe/utils/password_strength.py +161,Names and surnames by themselves are easy to guess.,নাম এবং নিজেরাই পদবির অনুমান করা সহজ. +apps/frappe/frappe/utils/password_strength.py +163,Names and surnames by themselves are easy to guess.,নাম এবং নিজেরাই পদবির অনুমান করা সহজ. apps/frappe/frappe/config/website.py +93,Knowledge Base,জ্ঞানভিত্তিক DocType: Workflow State,briefcase,ব্রিফকেস apps/frappe/frappe/model/base_document.py +561,Value cannot be changed for {0},মূল্য জন্য পরিবর্তন করা যাবে না {0} -apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.","আপনি আপনার নাম পরিবর্তে আপনার ইমেইল লেখা হয়েছে বলে মনে হচ্ছে. আমরা ফিরে পেতে পারেন, যাতে \ একটি বৈধ ইমেইল ঠিকানা লিখুন." DocType: Feedback Request,Is Manual,ম্যানুয়াল DocType: Workflow State,"Style represents the button color: Success - Green, Danger - Red, Inverse - Black, Primary - Dark Blue, Info - Light Blue, Warning - Orange","স্টাইল বাটন রঙ প্রতিনিধিত্ব: সাফল্য - সবুজ, বিপদ - লাল, বিপরীত - কালো, প্রাথমিক - ডার্ক ব্লু, তথ্য - যে হাল্কা নীল, সতর্কবাণী - কমলা" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +158,No Report Loaded. Please use query-report/[Report Name] to run a report.,কোন প্রতিবেদন লোডেড. / [প্রতিবেদন নাম] একটি রিপোর্ট চালানোর ক্যোয়ারী-প্রতিবেদন ব্যবহার করুন. DocType: Workflow Transition,Workflow Transition,কর্মপ্রবাহ ট্র্যানজিশন apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +53,{0} months ago,{0} মাস আগে apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,দ্বারা নির্মিত -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +92,Dropbox Setup,ড্রপবক্স সেটআপ +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +90,Dropbox Setup,ড্রপবক্স সেটআপ DocType: Workflow State,resize-horizontal,পুনরায় আকার-অনুভূমিক DocType: Note,Content,বিষয়বস্তু apps/frappe/frappe/public/js/frappe/views/treeview.js +261,Group Node,গ্রুপ নোড @@ -2355,6 +2364,7 @@ DocType: Communication,Notification,প্রজ্ঞাপন DocType: Web Form,Go to this url after completing the form.,ফর্ম পূরণ করার পর এই URL- এ যান. DocType: DocType,Document,দলিল apps/frappe/frappe/core/doctype/doctype/doctype.py +186,Series {0} already used in {1},ইতিমধ্যে ব্যবহৃত সিরিজ {0} {1} +apps/frappe/frappe/core/page/data_import_tool/importer.py +225,Unsupported File Format,অসমর্থিত ফাইল ফর্ম্যাট DocType: DocField,Code,কোড DocType: Workflow,"All possible Workflow States and roles of the workflow. Docstatus Options: 0 is""Saved"", 1 is ""Submitted"" and 2 is ""Cancelled""","সব সম্ভব কর্মপ্রবাহ যুক্তরাষ্ট্র ও কর্মপ্রবাহ ভূমিকা. Docstatus বিকল্প: 0 "সংরক্ষিত", হয় 1 "জমা" হয় এবং 2 "বাতিল" হয়" DocType: Website Theme,Footer Text Color,পাদচরণ রং @@ -2379,17 +2389,17 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +45,just now,এক্ DocType: Footer Item,Policy,নীতি apps/frappe/frappe/integrations/utils.py +76,{0} Settings not found,{0} সেটিংস পাওয়া যায়নি DocType: Module Def,Module Def,মডিউল Def -apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,Done,কৃত apps/frappe/frappe/core/doctype/communication/communication.js +61,Reply,উত্তর apps/frappe/frappe/config/core.py +22,Pages in Desk (place holders),ডেস্ক অন্তর্ভুক্ত নিবন্ধসমূহ (জায়গা ধারক) DocType: DocField,Collapsible Depends On,বন্ধ হইতে উপর নির্ভর DocType: Print Settings,Allow page break inside tables,টেবিল ভিতরে পৃষ্ঠা বিরতি মঞ্জুর করুন DocType: Email Account,SMTP Server,SMTP সার্ভার DocType: Print Format,Print Format Help,মুদ্রণ বিন্যাস সাহায্য +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +63,Update the template and save in downloaded format before attaching.,টেমপ্লেট আপডেট করুন এবং সংযোজনের আগে ডাউনলোড করা বিন্যাসে সংরক্ষণ করুন। apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +852,With Groups,দলের সাথে DocType: DocType,Beta,বেটা apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +22,restored {0} as {1},পুনরুদ্ধার {0} যেমন {1} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","আপনি আপডেট করা হয়, "ওভাররাইট" নির্বাচন করুন অন্য ভাষার বিদ্যমান সারি মুছে ফেলা হবে না." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +71,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","আপনি আপডেট করা হয়, "ওভাররাইট" নির্বাচন করুন অন্য ভাষার বিদ্যমান সারি মুছে ফেলা হবে না." DocType: Event,Every Month,প্রতি মাসে DocType: Letter Head,Letter Head in HTML,HTML এ চিঠি মাথা DocType: Web Form,Web Form,ওয়েব ফরম @@ -2412,14 +2422,14 @@ apps/frappe/frappe/public/js/frappe/socketio_client.js +51,Progress,উন্ন apps/frappe/frappe/public/js/frappe/form/workflow.js +32, by Role ,ভূমিকা দ্বারা apps/frappe/frappe/public/js/frappe/form/save.js +148,Missing Fields,নিখোঁজ ক্ষেত্রসমূহ apps/frappe/frappe/core/doctype/doctype/doctype.py +176,Invalid fieldname '{0}' in autoname,autoname অবৈধ FIELDNAME '{0}' -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Search in a document type,ডকুমেন্ট টাইপ এ অনুসন্ধান -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +257,Allow field to remain editable even after submission,ক্ষেত্রের এমনকি জমা পরে সম্পাদনযোগ্য থাকা অনুমতি +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,Search in a document type,ডকুমেন্ট টাইপ এ অনুসন্ধান +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +258,Allow field to remain editable even after submission,ক্ষেত্রের এমনকি জমা পরে সম্পাদনযোগ্য থাকা অনুমতি DocType: Custom DocPerm,Role and Level,ভূমিকা ও শ্রেনী DocType: File,Thumbnail URL,থাম্বনেল URL টি apps/frappe/frappe/desk/moduleview.py +37,Custom Reports,কাস্টম প্রতিবেদন DocType: Website Script,Website Script,ওয়েবসাইট স্ক্রিপ্ট apps/frappe/frappe/config/setup.py +182,Customized HTML Templates for printing transactions.,ছাপানো লেনদেনের জন্য কাস্টমাইজড এইচটিএমএল টেমপ্লেট. -apps/frappe/frappe/public/js/frappe/form/print.js +247,Orientation,ঝোঁক +apps/frappe/frappe/public/js/frappe/form/print.js +250,Orientation,ঝোঁক DocType: Workflow,Is Active,সক্রিয় apps/frappe/frappe/desk/form/utils.py +91,No further records,আর কোনও রেকর্ড DocType: DocField,Long Text,দীর্ঘ টেক্সট @@ -2443,7 +2453,6 @@ apps/frappe/frappe/templates/includes/contact.js +30,Thank you for your message, apps/frappe/frappe/public/js/frappe/views/communication.js +68,Send Read Receipt,পঠিত রসিদ পাঠান DocType: Stripe Settings,Stripe Settings,ডোরা সেটিং DocType: Dropbox Settings,Dropbox Setup via Site Config,সাইট কনফিগ মাধ্যমে ড্রপবক্স সেটআপ -apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,কোনো ডিফল্ট ঠিকানা টেমপ্লেট পাওয়া যায় নি। সেটআপ> মুদ্রণ এবং ব্র্যান্ডিং> ঠিকানা টেমপ্লেট থেকে একটি নতুন তৈরি করুন। apps/frappe/frappe/www/login.py +64,Invalid Login Token,অবৈধ প্রবেশ টোকেন apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +48,1 hour ago,1 ঘন্টা আগে DocType: Social Login Keys,Frappe Client ID,ফ্র্যাপে ক্লায়েন্ট আইডি @@ -2464,7 +2473,7 @@ DocType: Address Template,"

    Default Template

    {% if email_id %}Email: {{ email_id }}<br>{% endif -%} ","

    ডিফল্ট টেমপ্লেট

    ব্যবহার Jinja টেমপ্লেট এবং উপলব্ধ করা হবে (যদি থাকে কাস্টম ক্ষেত্র সহ) ঠিকানা সব ক্ষেত্র

     {{ address_line1 }}<br> {% if address_line2 %}{{ address_line2 }}<br>{% endif -%} {{ city }}<br> {% if state %}{{ state }}<br>{% endif -%} {% if pincode %} PIN: {{ pincode }}<br>{% endif -%} {{ country }}<br> {% if phone %}Phone: {{ phone }}<br>{% endif -%} {% if fax %}Fax: {{ fax }}<br>{% endif -%} {% if email_id %}Email: {{ email_id }}<br>{% endif -%} 
    " DocType: Role,Role Name,ভূমিকা নাম -apps/frappe/frappe/website/js/website.js +379,Switch To Desk,ডেস্ক স্যুইচ +apps/frappe/frappe/website/js/website.js +376,Switch To Desk,ডেস্ক স্যুইচ apps/frappe/frappe/config/core.py +27,Script or Query reports,স্ক্রিপ্ট বা QUERY রিপোর্ট DocType: Workflow Document State,Workflow Document State,কর্মপ্রবাহ ডকুমেন্ট রাজ্য apps/frappe/frappe/public/js/frappe/request.js +115,File too big,ফাইল অত্যন্ত বড় @@ -2477,14 +2486,14 @@ apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel befor apps/frappe/frappe/www/printview.py +205,Print Format {0} is disabled,মুদ্রণ বিন্যাস {0} নিষ্ক্রিয় করা হয় DocType: Email Alert,Send days before or after the reference date,আগে বা রেফারেন্স তারিখ পরে দিন পাঠান DocType: User,Allow user to login only after this hour (0-24),ব্যবহারকারী শুধুমাত্র এই ঘন্টা পর লগইন করতে (0-24) অনুমতি দিন -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Value,মূল্য -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +166,Click here to verify,যাচাই করার জন্য এখানে ক্লিক করুন -apps/frappe/frappe/utils/password_strength.py +172,Predictable substitutions like '@' instead of 'a' don't help very much.,মত আন্দাজের বদল '@' পরিবর্তে 'একটি' খুব সাহায্য না. +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Value,মূল্য +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +165,Click here to verify,যাচাই করার জন্য এখানে ক্লিক করুন +apps/frappe/frappe/utils/password_strength.py +174,Predictable substitutions like '@' instead of 'a' don't help very much.,মত আন্দাজের বদল '@' পরিবর্তে 'একটি' খুব সাহায্য না. apps/frappe/frappe/desk/doctype/todo/todo_list.js +22,Assigned By Me,আমার দ্বারা নির্ধারিত হয় apps/frappe/frappe/core/doctype/doctype/doctype.py +80,Not in Developer Mode! Set in site_config.json or make 'Custom' DocType.,না বিকাশকারী মোডে! Site_config.json সেট অথবা 'কাস্টম' DOCTYPE করতে. DocType: Workflow State,globe,পৃথিবী DocType: System Settings,dd.mm.yyyy,dd.mm.yyyy -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +249,Hide field in Standard Print Format,স্ট্যান্ডার্ড মুদ্রণ বিন্যাসে লুকান ক্ষেত্রের +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +250,Hide field in Standard Print Format,স্ট্যান্ডার্ড মুদ্রণ বিন্যাসে লুকান ক্ষেত্রের DocType: ToDo,Priority,অগ্রাধিকার DocType: Email Queue,Unsubscribe Param,আন-সাবস্ক্রাইব পরম DocType: Auto Email Report,Weekly,সাপ্তাহিক @@ -2497,10 +2506,10 @@ DocType: Contact,Purchase Master Manager,ক্রয় মাস্টার DocType: Module Def,Module Name,মডিউল নাম DocType: DocType,DocType is a Table / Form in the application.,DOCTYPE আবেদন মধ্যে একটি টেবিল / ফরম হয়. DocType: Email Account,GMail,জিমেইল -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,{0} Report,{0} প্রতিবেদন +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +111,{0} Report,{0} প্রতিবেদন DocType: Communication,SMS,খুদেবার্তা DocType: DocType,Web View,ওয়েব দর্শন -apps/frappe/frappe/public/js/frappe/form/print.js +166,Warning: This Print Format is in old style and cannot be generated via the API.,সতর্কীকরণ: এটি মুদ্রণ বিন্যাস পুরানো শৈলী এবং API- র মাধ্যমে নির্মাণ করা যাবে না. +apps/frappe/frappe/public/js/frappe/form/print.js +169,Warning: This Print Format is in old style and cannot be generated via the API.,সতর্কীকরণ: এটি মুদ্রণ বিন্যাস পুরানো শৈলী এবং API- র মাধ্যমে নির্মাণ করা যাবে না. DocType: DocField,Print Width,প্রিন্ট করুন প্রস্থ ,Setup Wizard,সেটআপ উইজার্ড DocType: User,Allow user to login only before this hour (0-24),ব্যবহারকারী শুধুমাত্র এই ঘন্টা আগে লগইন করতে (0-24) অনুমতি দিন @@ -2517,7 +2526,7 @@ DocType: Workflow State,bold,সাহসী DocType: Async Task,Status,অবস্থা DocType: Company History,Year,বছর DocType: OAuth Client, Advanced Settings,উন্নত সেটিংস -apps/frappe/frappe/website/doctype/website_settings/website_settings.py +34,{0} does not exist in row {1},{0} সারি {1} এ উপস্থিত না +apps/frappe/frappe/website/doctype/website_settings/website_settings.py +34,{0} does not exist in row {1},{0} সারি {1} এ নেই DocType: Event,Event Type,ইভেন্টের ধরণ DocType: User,Last Known Versions,শেষ জানা সংস্করণ apps/frappe/frappe/config/setup.py +140,Add / Manage Email Accounts.,ইমেইল একাউন্ট পরিচালনা / যুক্ত করো. @@ -2532,14 +2541,14 @@ apps/frappe/frappe/utils/csvutils.py +35,Invalid CSV Format,অবৈধ CSV ব DocType: Address,Name of person or organization that this address belongs to.,এই অঙ্ক জন্যে যে ব্যক্তি বা প্রতিষ্ঠানের নাম. apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,সেট ব্যাক-আপ সংখ্যা DocType: DocField,Do not allow user to change after set the first time,প্রথমবার ব্যবহারকারী পর সেট পরিবর্তন করার অনুমতি দেয় না -apps/frappe/frappe/public/js/frappe/upload.js +247,Private or Public?,বেসরকারী বা সরকারী? -apps/frappe/frappe/utils/data.py +535,1 year ago,1 বছর আগে +apps/frappe/frappe/public/js/frappe/upload.js +251,Private or Public?,বেসরকারী বা সরকারী? +apps/frappe/frappe/utils/data.py +536,1 year ago,1 বছর আগে DocType: Contact,Contact,যোগাযোগ DocType: User,Third Party Authentication,থার্ড পার্টি প্রমাণীকরণ DocType: Website Settings,Banner is above the Top Menu Bar.,ব্যানার উপরের মেনু বার উপরে. DocType: Razorpay Settings,API Secret,এপিআই সিক্রেট -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +726,Export Report: ,রপ্তানি প্রতিবেদন: -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +672,{0} {1} does not exist,{0} {1} অস্তিত্ব নেই +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +853,Export Report: ,রপ্তানি প্রতিবেদন: +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +674,{0} {1} does not exist,{0} {1} অস্তিত্ব নেই DocType: Email Account,Port,বন্দর DocType: Print Format,Arial,আড়িয়াল apps/frappe/frappe/config/core.py +12,Models (building blocks) of the Application,আবেদন মডেল (বিল্ডিং ব্লক) @@ -2571,9 +2580,9 @@ DocType: DocField,Display Depends On,প্রদর্শন উপর নি DocType: Web Page,Insert Code,কোড প্রবেশ করান DocType: ToDo,Low,কম apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +697,You can add dynamic properties from the document by using Jinja templating.,আপনি Jinja টেমপ্লেট ব্যবহার করে নথি থেকে গতিশীল বৈশিষ্ট্য যোগ করতে পারেন. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,List a document type,একটি নথি টাইপ তালিকা +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,List a document type,একটি নথি টাইপ তালিকা DocType: Event,Ref Type,সুত্র ধরন -apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,"If you are uploading new records, leave the ""name"" (ID) column blank.","আপনি নতুন রেকর্ড আপলোড হয়, "নাম" (আইডি) কলাম ফাঁকা রাখুন." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, leave the ""name"" (ID) column blank.","আপনি নতুন রেকর্ড আপলোড হয়, "নাম" (আইডি) কলাম ফাঁকা রাখুন." apps/frappe/frappe/config/core.py +47,Errors in Background Events,পৃষ্ঠভূমি ঘটনাবলী ত্রুটি apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +399,No of Columns,কলাম কোন DocType: Workflow State,Calendar,ক্যালেন্ডার @@ -2588,7 +2597,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +106,Unable to load: {0},ল apps/frappe/frappe/config/integrations.py +28,Backup,ব্যাকআপ apps/frappe/frappe/core/page/usage_info/usage_info.html +3,Expires in {0} days,{0} দিনের মেয়াদ শেষ হয়ে যাবে DocType: DocField,Read Only,শুধুমাত্র পঠনযোগ্য -apps/frappe/frappe/email/doctype/email_group/email_group.js +43,New Newsletter,নতুন নিউজলেটার +apps/frappe/frappe/email/doctype/email_group/email_group.js +45,New Newsletter,নতুন নিউজলেটার DocType: Print Settings,Send Print as PDF,পিডিএফ হিসাবে প্রিন্ট পাঠান DocType: Web Form,Amount,পরিমাণ DocType: Workflow Transition,Allowed,প্রেজেন্টেশন @@ -2602,14 +2611,14 @@ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filt apps/frappe/frappe/core/doctype/doctype/doctype.py +654,{0}: Permission at level 0 must be set before higher levels are set,{0}: উচ্চ মাত্রার সেট করা হয় আগে স্তর 0 এ অনুমতি সেট করা আবশ্যক apps/frappe/frappe/desk/doctype/todo/todo.py +28,Assignment closed by {0},অ্যাসাইনমেন্ট দ্বারা বন্ধ {0} DocType: Integration Request,Remote,দূরবর্তী -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +140,Calculate,গণনা করা +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Calculate,গণনা করা apps/frappe/frappe/printing/doctype/print_format/print_format.js +28,Please select DocType first,প্রথম DOCTYPE দয়া করে নির্বাচন করুন -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +174,Confirm Your Email,আপনার ইমেইল নিশ্চিত করুন -apps/frappe/frappe/www/login.html +37,Or login with,অথবা লগইন করুন +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +173,Confirm Your Email,আপনার ইমেইল নিশ্চিত করুন +apps/frappe/frappe/www/login.html +42,Or login with,অথবা লগইন করুন DocType: Error Snapshot,Locals,অঁচলবাসী apps/frappe/frappe/desk/page/activity/activity_row.html +19,Communicated via {0} on {1}: {2},মাধ্যমে আদানপ্রদান {0} উপর {1} {2} apps/frappe/frappe/core/doctype/communication/comment.py +85,{0} mentioned you in a comment in {1},{0} একটি মন্তব্যে উল্লেখ {1} -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,যেমন (55 + + 434) / 4 বা = Math.sin (Math.PI / 2) ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,যেমন (55 + + 434) / 4 বা = Math.sin (Math.PI / 2) ... apps/frappe/frappe/model/naming.py +45,{0} is required,{0} প্রয়োজন DocType: Integration Request,Integration Type,ইন্টিগ্রেশন ধরণ DocType: Newsletter,Send Attachements,Attachements পাঠান @@ -2621,10 +2630,11 @@ DocType: Web Page,Web Page,ওয়েব পেজ DocType: Blog Category,Blogger,ব্লগার apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},'বৈশ্বিক অনুসন্ধান' টাইপ জন্য অনুমতি দেওয়া হয় না {0} সারিতে {1} apps/frappe/frappe/public/js/frappe/views/treeview.js +297,View List,তালিকা দেখুন -apps/frappe/frappe/public/js/frappe/form/control.js +685,Date must be in format: {0},জন্ম বিন্যাসে নির্মাণ করা আবশ্যক: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +686,Date must be in format: {0},জন্ম বিন্যাসে নির্মাণ করা আবশ্যক: {0} DocType: Workflow,Don't Override Status,স্থিতি ওভাররাইড না apps/frappe/frappe/www/feedback.html +90,Please give a rating.,একটি রেটিং দিতে দয়া করে. apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} প্রতিক্রিয়া অনুরোধ +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +26,Search term,অনুসন্ধানের শর্ত apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +548,The First User: You,প্রথম ব্যবহারকারী: আপনি apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +32,Select Columns,নির্বাচন কলাম DocType: Translation,Source Text,উত্স লেখা @@ -2636,15 +2646,15 @@ apps/frappe/frappe/config/website.py +37,Single Post (article).,একা পো apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +10,Reports,প্রতিবেদন DocType: Page,No,না DocType: Property Setter,Set Value,সেট মান -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +245,Hide field in form,আকারে ক্ষেত্র লুকান -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +93,Illegal Access Token. Please try again,অবৈধ অ্যাক্সেস টোকেন. অনুগ্রহপূর্বক আবার চেষ্টা করুন +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +246,Hide field in form,আকারে ক্ষেত্র লুকান +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +91,Illegal Access Token. Please try again,অবৈধ অ্যাক্সেস টোকেন. অনুগ্রহপূর্বক আবার চেষ্টা করুন apps/frappe/frappe/public/js/frappe/desk.js +93,"The application has been updated to a new version, please refresh this page","অ্যাপ্লিকেশনটি একটি নতুন সংস্করণে আপডেট করা হয়েছে, এই পৃষ্ঠাটি রিফ্রেশ দয়া" apps/frappe/frappe/core/doctype/communication/communication.js +35,Resend,আবার পাঠান DocType: Feedback Trigger,Optional: The alert will be sent if this expression is true,ঐচ্ছিক: এই অভিব্যক্তি সত্য হলে সতর্কতা পাঠানো হবে DocType: Print Settings,Print with letterhead,লেটারহেড সাথে মুদ্রণ DocType: Unhandled Email,Raw Email,কাঁচা ইমেইল apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,নিয়োগ জন্য নির্বাচন রেকর্ড -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +135,Importing,আমদানি হচ্ছে +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +138,Importing,আমদানি হচ্ছে DocType: ToDo,Assigned By,দ্বারা নির্ধারিত হয় apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +27,You can use Customize Form to set levels on fields.,আপনি ক্ষেত্রের উপর মাত্রা সেট কাস্টমাইজ ফর্ম ব্যবহার করতে পারেন. DocType: Custom DocPerm,Level,শ্রেনী @@ -2666,7 +2676,7 @@ DocType: Kanban Board Column,Order,ক্রম DocType: Website Theme,Background,পটভূমি DocType: Custom DocPerm,"JSON list of DocTypes used to apply User Permissions. If empty, all linked DocTypes will be used to apply User Permissions.","ব্যবহারকারীর অনুমতি প্রয়োগ করতে ব্যবহৃত DocTypes এর JSON তালিকা. যদি খালি, সব লিঙ্ক DocTypes ব্যবহারকারীর অনুমতি প্রয়োগ করতে ব্যবহৃত হবে." DocType: Report,Ref DocType,সুত্র DOCTYPE -apps/frappe/frappe/core/doctype/doctype/doctype.py +666,{0}: Cannot set Amend without Cancel,{0}: ছাড়া বাতিল সংশোধন সেট করা যায় না +apps/frappe/frappe/core/doctype/doctype/doctype.py +666,{0}: Cannot set Amend without Cancel,{0}: বাতিল না করে সংশোধন সেট করা যায় না apps/frappe/frappe/public/js/frappe/form/templates/print_layout.html +22,Full Page,পুরো পাতা DocType: DocType,Is Child Table,শিশু টেবিল হয় apps/frappe/frappe/utils/csvutils.py +124,{0} must be one of {1},{0} কে অবশ্যই {1} এর মাঝে কোন একটি হতে হবে @@ -2676,7 +2686,7 @@ apps/frappe/frappe/core/doctype/user/user.py +229,Password Reset,পাসওয DocType: Communication,Opened,খোলা DocType: Workflow State,chevron-left,শেভ্রন-বাম DocType: Communication,Sending,পাঠানো -apps/frappe/frappe/auth.py +228,Not allowed from this IP Address,এই আইপি ঠিকানা থেকে অনুমতি না +apps/frappe/frappe/auth.py +231,Not allowed from this IP Address,এই আইপি ঠিকানা থেকে অনুমতি না DocType: Website Slideshow,This goes above the slideshow.,এই স্লাইডশো উপরে যায়. apps/frappe/frappe/config/setup.py +254,Install Applications.,অ্যাপ্লিকেশন ইনস্টল করুন. DocType: User,Last Name,নামের শেষাংশ @@ -2691,7 +2701,6 @@ DocType: Address,State,রাষ্ট্র DocType: Workflow Action,Workflow Action,কর্মপ্রবাহ এক্সন DocType: DocType,"Image Field (Must of type ""Attach Image"")",ভাবমূর্তি ফিল্ড (টাইপ এর "ভাবমূর্তি সংযুক্ত করুন" আবশ্যক) apps/frappe/frappe/utils/bot.py +43,I found these: ,আমি এই পাওয়া: -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +692,Set Sort,সেট সাজান DocType: Event,Send an email reminder in the morning,সকালে একটি ইমেল অনুস্মারক পাঠান DocType: Blog Post,Published On,প্রকাশিত DocType: User,Gender,লিঙ্গ @@ -2709,13 +2718,15 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +30 DocType: Workflow State,warning-sign,সতর্কীকরণ চিহ্ন DocType: Workflow State,User,ব্যবহারকারী DocType: Website Settings,"Show title in browser window as ""Prefix - title""",হিসাবে ব্রাইজার উইণ্ডোয় দেখান শিরোনাম "উপসর্গ - শিরোনাম" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,text in document type,ডকুমেন্ট টাইপ টেক্সট +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,text in document type,ডকুমেন্ট টাইপ টেক্সট apps/frappe/frappe/handler.py +91,Logged Out,প্রস্থান -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +236,More...,আরো ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +237,More...,আরো ... +DocType: System Settings,User can login using Email id or Mobile number,ব্যবহারকারী ইমেইল আইডি বা মোবাইল নম্বর ব্যবহার করে লগইন করতে পারেন DocType: Bulk Update,Update Value,আপডেট মূল্য apps/frappe/frappe/core/doctype/communication/communication.js +73,Mark as {0},হিসাবে চিহ্নিত করুন {0} apps/frappe/frappe/model/rename_doc.py +25,Please select a new name to rename,দয়া করে নামান্তর করতে একটি নতুন নাম নির্বাচন apps/frappe/frappe/public/js/frappe/request.js +136,Something went wrong,কিছু ভুল হয়েছে +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +186,Only {0} entries shown. Please filter for more specific results.,শুধু {0} এন্ট্রি দেখানো হয়েছে। আরো নির্দিষ্ট ফলাফলের জন্য ফিল্টার করুন। DocType: System Settings,Number Format,সংখ্যার বিন্যাস DocType: Auto Email Report,Frequency,ফ্রিকোয়েন্সি DocType: Custom Field,Insert After,পরে ঢোকান @@ -2730,8 +2741,9 @@ DocType: Workflow State,cog,চাকার দান্ত apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +89,Sync on Migrate,রোমিং মাইগ্রেট করার উপর সিঙ্ক apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +64,Currently Viewing,বর্তমানে দেখছেন DocType: DocField,Default,ডিফল্ট -apps/frappe/frappe/public/js/frappe/form/link_selector.js +140,{0} added,{0} যোগ করা হয়েছে -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +133,Please save the report first,দয়া করে রিপোর্ট প্রথম সংরক্ষণ +apps/frappe/frappe/public/js/frappe/form/link_selector.js +143,{0} added,{0} যোগ করা হয়েছে +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +209,Search for '{0}',জন্য অনুসন্ধান করুন '{0}' +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +134,Please save the report first,দয়া করে রিপোর্ট প্রথম সংরক্ষণ apps/frappe/frappe/email/doctype/email_group/email_group.py +42,{0} subscribers added,{0} গ্রাহকদের যোগ করা হয়েছে apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +9,Not In,না DocType: Workflow State,star,তারকা @@ -2750,9 +2762,9 @@ DocType: Address,Office,অফিস apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,এই Kanban বোর্ড ব্যক্তিগত হবে apps/frappe/frappe/desk/moduleview.py +73,Standard Reports,স্ট্যান্ডার্ড প্রতিবেদন DocType: User,Email Settings,ইমেইল সেটিংস -apps/frappe/frappe/public/js/frappe/desk.js +345,Please Enter Your Password to Continue,অবিরত আপনার পাসওয়ার্ড দিন +apps/frappe/frappe/public/js/frappe/desk.js +347,Please Enter Your Password to Continue,অবিরত আপনার পাসওয়ার্ড দিন apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +99,Not a valid LDAP user,একটি বৈধ দ্বারা LDAP ব্যবহারকারী -apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} কোনো বৈধ রাজ্য +apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} কোনো বৈধ অবস্থা না apps/frappe/frappe/integrations/doctype/paypal_settings/paypal_settings.py +90,Please select another payment method. PayPal does not support transactions in currency '{0}',দয়া করে অন্য একটি অর্থ প্রদানের পদ্ধতি নির্বাচন করুন। পেপ্যাল মুদ্রায় লেনদেন অবলম্বন পাওয়া যায়নি '{0}' apps/frappe/frappe/core/doctype/doctype/doctype.py +499,Search field {0} is not valid,অনুসন্ধান ফিল্ড {0} বৈধ নয় DocType: Workflow State,ok-circle,OK-বৃত্ত @@ -2771,7 +2783,7 @@ DocType: DocField,Unique,অনন্য apps/frappe/frappe/public/js/frappe/form/quick_entry.js +97,Ctrl+enter to save,জন্য Ctrl + সংরক্ষণ করতে লিখুন DocType: Email Account,Service,সেবা DocType: File,File Name,ফাইল নাম -apps/frappe/frappe/core/page/data_import_tool/importer.py +349,Did not find {0} for {0} ({1}),এটি করা হয়নি {0} জন্য {0} ({1}) +apps/frappe/frappe/core/page/data_import_tool/importer.py +365,Did not find {0} for {0} ({1}),এটি করা হয়নি {0} জন্য {0} ({1}) apps/frappe/frappe/utils/bot.py +176,"Oops, you are not allowed to know that","ওহো, আপনি কি জানেন যে অনুমতি দেওয়া হয় না" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +17,Next,পরবর্তী apps/frappe/frappe/config/setup.py +39,Set Permissions per User,ব্যবহারকারী প্রতি সেট অনুমতি @@ -2780,9 +2792,9 @@ apps/frappe/frappe/printing/doctype/print_format/print_format.js +26,Edit Format apps/frappe/frappe/core/doctype/user/user.py +245,Complete Registration,সম্পূর্ণ নিবন্ধন apps/frappe/frappe/public/js/frappe/form/toolbar.js +189,New {0} (Ctrl+B),নিউ {0} (Ctrl + B) apps/frappe/frappe/website/doctype/website_theme/website_theme.py +40,Top Bar Color and Text Color are the same. They should be have good contrast to be readable.,শীর্ষ বার রঙ এবং টেক্সট কালার একই. তারা পাঠযোগ্য হতে ভাল বৈসাদৃশ্য আছে করা উচিত. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,You can only upload upto 5000 records in one go. (may be less in some cases),আপনি শুধুমাত্র এক বারেই 5000 রেকর্ড অবধি আপলোড করতে পারেন. (কিছু কিছু ক্ষেত্রে কম হতে পারে) +apps/frappe/frappe/core/page/data_import_tool/exporter.py +68,You can only upload upto 5000 records in one go. (may be less in some cases),আপনি শুধুমাত্র এক বারেই 5000 রেকর্ড অবধি আপলোড করতে পারেন. (কিছু কিছু ক্ষেত্রে কম হতে পারে) apps/frappe/frappe/model/document.py +159,Insufficient Permission for {0},জন্য অপর্যাপ্ত অনুমতি {0} -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +763,Report was not saved (there were errors),গালাগাল প্রতিবেদন সংরক্ষিত হয় নি (ত্রুটি ছিল) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +764,Report was not saved (there were errors),গালাগাল প্রতিবেদন সংরক্ষিত হয় নি (ত্রুটি ছিল) apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +25,Numerically Ascending,সংখ্যাসূচকভাবে আরোহী DocType: Print Settings,Print Style,মুদ্রণ এবং প্রতিচ্ছবিকরণ যন্ত্রসমূহ apps/frappe/frappe/public/js/frappe/form/linked_with.js +51,Not Linked to any record,কোনো রেকর্ড লিঙ্ক করা @@ -2795,7 +2807,7 @@ apps/frappe/frappe/public/js/frappe/change_log.html +7,updated to {0},আপড DocType: User,Desktop Background,ডেস্কটপ পটভূমির DocType: Portal Settings,Custom Menu Items,কাস্টম মেনু আইটেম DocType: Workflow State,chevron-right,শেভ্রন-ডান -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +214,"Change type of field. (Currently, Type change is \ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +215,"Change type of field. (Currently, Type change is \ allowed among 'Currency and Float')","ক্ষেত্রের ধরণ পরিবর্তন. (বর্তমানে, ধরন পরিবর্তন \ 'কারেন্সি এবং ভাসা' মধ্যে অনুমোদিত হয়)" apps/frappe/frappe/website/doctype/web_form/web_form.py +35,You need to be in developer mode to edit a Standard Web Form,আপনি একটি স্ট্যান্ডার্ড ওয়েব ফরম সম্পাদনা করার বিকাশকারী মোড মধ্যে হতে হবে apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +53,"For comparative filters, start with","তুলনামূলক ফিল্টার জন্য, সঙ্গে শুরু" @@ -2807,12 +2819,13 @@ DocType: Web Page,Header and Description,শিরোনাম এবং বর apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,প্রয়োজন উভয় লগইন এবং পাসওয়ার্ড apps/frappe/frappe/model/document.py +540,Please refresh to get the latest document.,সর্বশেষ নথি পেতে রিফ্রেশ করুন. DocType: User,Security Settings,নিরাপত্তা বিন্যাস -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +855,Add Column,কলাম যুক্ত +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +856,Add Column,কলাম যুক্ত ,Desktop,ডেস্কটপ +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +727,Export Report: {0},রপ্তানি প্রতিবেদন: {0} DocType: Auto Email Report,Filter Meta,ফিল্টার মেটা DocType: Web Form,Text to be displayed for Link to Web Page if this form has a web page. Link route will be automatically generated based on `page_name` and `parent_website_route`,এই ফর্মটি একটি ওয়েব পেজ আছে তাহলে টেক্সট ওয়েব পৃষ্ঠা থেকে লিঙ্ক জন্য প্রদর্শন করা হবে. লিংক রুট স্বয়ংক্রিয়ভাবে page_name` এবং `` parent_website_route` উপর ভিত্তি করে তৈরি করা হবে DocType: Feedback Request,Feedback Trigger,প্রতিক্রিয়া ট্রিগার -apps/frappe/frappe/public/js/frappe/form/control.js +1594,Please set {0} first,প্রথম {0} সেট করুন +apps/frappe/frappe/public/js/frappe/form/control.js +1595,Please set {0} first,প্রথম {0} সেট করুন DocType: Unhandled Email,Message-id,বার্তা আইডিটি DocType: Patch Log,Patch,তালি DocType: Async Task,Failed,ব্যর্থ diff --git a/frappe/translations/bs.csv b/frappe/translations/bs.csv index ea2852bc56..b9c9c38313 100644 --- a/frappe/translations/bs.csv +++ b/frappe/translations/bs.csv @@ -1,5 +1,5 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,Molimo odaberite polje za iznos. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,Pritisnite Esc da biste zatvorili +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,Pritisnite Esc da biste zatvorili apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}","Novi zadatak, {0}, je dodijeljen od {1}. {2}" DocType: Email Queue,Email Queue records.,E-mail Queue Records. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,Pošalji @@ -48,7 +48,7 @@ apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}","{0}, {1} Red" apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,"Molim Vas, dajte fullname." apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,Greška u upload datoteka. apps/frappe/frappe/model/document.py +908,Beginning with,počinju s -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,Uvoz podataka Template +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,Uvoz podataka Template apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,Roditelj DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.","Ako je omogućeno, jačina lozinka će biti izvršena na osnovu minimalne lozinke Score vrijednosti. Vrijednost 2, koji je srednje jak i 4 biti vrlo jaka." DocType: About Us Settings,"""Team Members"" or ""Management""","""Članovi tima"" ili ""menadzment""" @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,Test Ru DocType: Auto Email Report,Monthly,Mjesečno DocType: Email Account,Enable Incoming,Enable Incoming apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,Opasnost -apps/frappe/frappe/www/login.html +19,Email Address,E-mail adresa +apps/frappe/frappe/www/login.html +22,Email Address,E-mail adresa DocType: Workflow State,th-large,og veliki DocType: Communication,Unread Notification Sent,Nepročitane Obavijest poslana apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,Izvoz nisu dopušteni . Trebate {0} ulogu za izvoz . DocType: DocType,Is Published Field,Je objavljen Field DocType: Email Group,Email Group,E-mail Group DocType: Note,Seen By,Viđeno od strane -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,Ne kao -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,Postavite ekran oznaku za oblast +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,Ne kao +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,Postavite ekran oznaku za oblast apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},Netočna vrijednost: {0} mora biti {1} {2} apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)","Svojstva Promjena polje (skrivanje , samo za čitanje , dozvola i sl. )" apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,Definirajte Frape Server URL u socijalnoj Prijava Keys @@ -76,8 +76,8 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,Podešava apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,Administrator prijavljeni DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.","Kontakt opcije, poput "Sales Query, Podrška upit" itd jedni na novoj liniji ili odvojene zarezima." apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. Preuzimanje -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,Insert -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},Odaberite {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,Insert +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},Odaberite {0} DocType: Print Settings,Classic,Klasik DocType: Desktop Icon,Color,Boja apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,Za raspone @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,LDAP Search String DocType: Translation,Translation,prijevod apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,Instalirati DocType: Custom Script,Client,Klijent -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,Ovaj oblik je promijenjen nakon što ste ga pre +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,Ovaj oblik je promijenjen nakon što ste ga pre DocType: User Permission for Page and Report,User Permission for Page and Report,Korisnik Dozvola za Page i Izvještaj DocType: System Settings,"If not set, the currency precision will depend on number format","Ako nije postavljena, valuta preciznost zavisi od broja formata" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',Traži ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,Postavi slikovne prezentacije u web stranicama. -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,Poslati +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,Poslati DocType: Workflow Action,Workflow Action Name,Workflow Akcija Ime apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,Vrsta dokumenta se ne može spajati DocType: Web Form Field,Fieldtype,Polja apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,Nije zip datoteku +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,pre> {0} godina (e) apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}","Obavezna polja potrebna u tabeli {0}, Red {1}" -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,Kapitalizacija ne pomaže puno. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,Kapitalizacija ne pomaže puno. DocType: Error Snapshot,Friendly Title,Prijateljske Naslov DocType: Newsletter,Email Sent?,Je li e-mail poslan? DocType: Authentication Log,Authentication Log,Authentication Prijavite @@ -138,7 +138,7 @@ DocType: OAuth Bearer Token,Refresh Token,Refresh Token apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,Vi DocType: Website Theme,lowercase,malim slovima DocType: Print Format,Helvetica,Helvetica -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,Newsletter je već poslana +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,Newsletter je već poslana DocType: Unhandled Email,Reason,Razlog apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,Navedite korisnika DocType: Email Unsubscribe,Email Unsubscribe,E-mail Odjava @@ -147,30 +147,30 @@ apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multip apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,Prvi korisnik će postati System Manager (to možete promijeniti kasnije). ,App Installer,App Installer DocType: Workflow State,circle-arrow-up,krug sa strelicom prema gore -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,Prijenos ... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,Prijenos ... DocType: Email Domain,Email Domain,E-mail Domain DocType: Workflow State,italic,kurziva apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,Za svakoga apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,{0} : Ne može se uvoz bez Stvoriti apps/frappe/frappe/config/desk.py +26,Event and other calendars.,Dogadjaj i ostali kalendari. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,Povucite kako biste sortirali kolone +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,Povucite kako biste sortirali kolone apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,Širine se može podesiti u px ili%. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,početak +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,početak DocType: User,First Name,Ime DocType: LDAP Settings,LDAP Username Field,LDAP Korisničko Field DocType: Portal Settings,Standard Sidebar Menu,Standard Sidebar Menu apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,Ne možete izbrisati Home i prilozi mape apps/frappe/frappe/config/desk.py +19,Files,Files apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,Prava se primjenjuju na korisnike na temelju onoga što Uloge su dodijeljeni . -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,Ne smiju slati e-mailove u vezi s ovim dokumentom +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,Ne smiju slati e-mailove u vezi s ovim dokumentom apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,Molimo odaberite atleast 1 kolonu od {0} za sortiranje / grupa DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,Provjerite ovo ako se testiraju uplatu pomoću API Sandbox apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,Vam nije dozvoljeno da obrišete standardni Web Theme DocType: Feedback Trigger,Example,Primjer DocType: Workflow State,gift,dar -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Reqd +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Reqd apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},Nije moguće naći attachment {0} -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,Dodjeljivanje nivo dozvolu na teren. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,Dodjeljivanje nivo dozvolu na teren. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,Ne može ukloniti apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,Resurs tražite nije dostupan apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,Show / Hide Moduli @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,Prikaz DocType: Email Group,Total Subscribers,Ukupno Pretplatnici apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.","AkoUloga nema pristup na razini 0 , onda je viša razina su besmislene ." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,Save As +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,Save As DocType: Communication,Seen,Seen -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,Pokaži više detalja +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,Pokaži više detalja DocType: System Settings,Run scheduled jobs only if checked,Trčanje rasporedu radnih mjesta samo ako provjeriti apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,Će biti prikazan samo ako su odjeljku naslova omogućeno apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,Arhiva @@ -240,7 +240,7 @@ apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,ne mo DocType: Web Form,Button Help,Button Pomoć DocType: Kanban Board Column,purple,purple DocType: About Us Settings,Team Members,Članovi tima -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,Molimo priložite datoteku ili postaviti URL +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,Molimo priložite datoteku ili postaviti URL DocType: Async Task,System Manager,System Manager DocType: Custom DocPerm,Permissions,Dopuštenja DocType: Dropbox Settings,Allow Dropbox Access,Dopusti pristup Dropbox @@ -263,7 +263,7 @@ apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,Prenesi Pril DocType: Block Module,Block Module,Blok modula apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,Izvoz Template apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,nova vrijednost -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,Nema dozvole za uređivanje +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,Nema dozvole za uređivanje apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,Dodajte kolumnu apps/frappe/frappe/www/contact.html +30,Your email address,Vaša e-mail adresa DocType: Desktop Icon,Module,Modul @@ -273,11 +273,11 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,je Tabela DocType: Email Account,Total number of emails to sync in initial sync process ,Ukupan broj e-mailova za sinhronizaciju u procesu inicijalne sync DocType: Website Settings,Set Banner from Image,Postavite banner sa slike -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,globalnu potragu +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,globalnu potragu DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},Novi korisnički račun je stvoren za vas na {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,instrukcije Email-ovani -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),Unesite E-mail Primalac (e) +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),Unesite E-mail Primalac (e) DocType: Print Format,Verdana,Verdana DocType: Email Flag Queue,Email Flag Queue,E-mail Flag Queue apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,Ne može identificirati otvoreno {0}. Pokušajte nešto drugo. @@ -291,13 +291,13 @@ DocType: Communication,Message ID,poruka ID DocType: Property Setter,Field Name,Naziv polja apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,Bez rezultata apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,ili -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,Naziv modula ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,Naziv modula ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,Nastaviti DocType: Custom Field,Fieldname,"Podataka, Naziv Polja" DocType: Workflow State,certificate,certifikat DocType: User,Tile,Pločica apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,Provjera ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,Prvi stupac podataka mora biti prazan. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,Prvi stupac podataka mora biti prazan. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,Prikaži sve verzije DocType: Workflow State,Print,Stampaj DocType: User,Restrict IP,Zabraniti IP @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,Sales Manager Master apps/frappe/frappe/www/complete_signup.html +13,One Last Step,One Last Step apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,Naziv vrste dokumenta (DOCTYPE) želite li da to polje bude povezano na naprimjer kupca DocType: User,Roles Assigned,Uloge Dodijeljeni -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,Pretraga Pomoć +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,Pretraga Pomoć DocType: Top Bar Item,Parent Label,Roditelj Label apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.","Vaš upit je dobio. Odgovorit ćemo brzo vratiti. Ako imate bilo kakve dodatne informacije, molimo Vas da odgovorite na ovaj e-mail." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,Dozvole automatski se prevode na standardnih izvješća i pretraživanja . @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,Edit Heading DocType: File,File URL,URL datoteke DocType: Version,Table HTML,Tabela HTML -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,Dodaj Pretplatnici +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,Dodaj Pretplatnici apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,Buduća događanja za danas DocType: Email Alert Recipient,Email By Document Field,E-mail dokumentom Field apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,nadogradnja apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},Ne može povezati: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,Riječ sama po sebi je lako pogoditi. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,Riječ sama po sebi je lako pogoditi. apps/frappe/frappe/www/search.html +11,Search...,Traži ... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,Spajanje je moguće samo između Group - na - Grupe ili Leaf od čvora do čvor nultog stupnja apps/frappe/frappe/utils/file_manager.py +43,Added {0},Dodano {0} apps/frappe/frappe/www/search.html +28,No matching records. Search something new,Nema odgovarajućih zapisa. Pretraga nešto novo DocType: Currency,Fraction Units,Frakcije Jedinice -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} od {1} na {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} od {1} na {2} DocType: Communication,Type,Vrsta +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Molimo vas default postavljanje e-pošte iz Setup> E-mail> e-pošte DocType: Authentication Log,Subject,Predmet DocType: Web Form,Amount Based On Field,Iznos po osnovu Field apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,Korisnik je obavezna za Share @@ -349,10 +350,10 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0} mora bi apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.","Koristite nekoliko riječi, izbjeći uobičajene fraze." DocType: Workflow State,plane,avion apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,Oops. Vaša uplata nije uspio. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Ako upload nove rekorde, ""Imenovanje Serija"" postaje obavezna, ako je prisutan." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Ako upload nove rekorde, ""Imenovanje Serija"" postaje obavezna, ako je prisutan." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,Dobij upozorenja za Danas apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,Vrstu dokumenta moze preimenovati samo Administrator -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},promijenjenih vrijednosti od {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},promijenjenih vrijednosti od {0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,Molimo provjerite svoj e-mail za verifikaciju apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,Fold ne može biti na kraju obrasca @@ -364,8 +365,9 @@ DocType: Auto Email Report,No of Rows (Max 500),Ne redaka (Max 500) DocType: Language,Language Code,Jezik Kod apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...","Vaš preuzimanje se gradi, to može potrajati nekoliko trenutaka ..." apps/frappe/frappe/www/feedback.html +23,Your rating: ,Vaša ocjena: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} {1} i +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} {1} i DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents",Uvek dodajte "Nacrt" Heading za štampanje nacrta dokumenata +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,E-mail je označena kao spam DocType: About Us Settings,Website Manager,Web Manager apps/frappe/frappe/model/document.py +1048,Document Queued,dokument redu za slanje DocType: Desktop Icon,List,popis @@ -377,7 +379,7 @@ DocType: Print Settings,Send document web view link in email,Pošalji dokument w apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,Vaše povratne informacije za dokument {0} je uspješno sačuvan apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,prijašnji apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,Re: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} redova za {1} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} redova za {1} DocType: Currency,"Sub-currency. For e.g. ""Cent""",Sub-valuta. Za npr. "centi" apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,Odaberite dodate datoteke DocType: Letter Head,Check this to make this the default letter head in all prints,Provjerite to napraviti ovu glavu zadani slovo u svim otisaka @@ -387,12 +389,11 @@ DocType: Desktop Icon,Link,Poveznica apps/frappe/frappe/utils/file_manager.py +96,No file attached,No file u prilogu DocType: Version,Version,verzija DocType: User,Fill Screen,Ispunite zaslon -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","U nemogućnosti da se ovaj izvještaj drvo, zbog podataka koji nedostaju. Najvjerojatnije, to se filtrira zbog dozvole." -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. Odaberite File -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,Edit preko Upload -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer","Vrsta dokumenta ..., npr kupca" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","U nemogućnosti da se ovaj izvještaj drvo, zbog podataka koji nedostaju. Najvjerojatnije, to se filtrira zbog dozvole." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. Odaberite File +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,Edit preko Upload +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer","Vrsta dokumenta ..., npr kupca" apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,Uvjet '{0}' je nevažeća -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Setup> User Dozvole Manager DocType: Workflow State,barcode,barkod apps/frappe/frappe/config/setup.py +226,Add your own translations,Dodajte svoj prevodi DocType: Country,Country Name,Država Ime @@ -411,9 +412,11 @@ DocType: Workflow State,exclamation-sign,usklik-znak apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,Pokaži Dozvole apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,Timeline polje mora biti Link ili Dynamic Link apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,Molimo instalirajte Dropbox piton modul +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,Datum Range apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,Gantt apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},Strana {0} od {1} DocType: About Us Settings,Introduce your company to the website visitor.,Uvesti svoju tvrtku za web stranice posjetitelja. +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json","Enkripcija ključ je nevažeća, Molimo provjerite site_config.json" apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,u DocType: Kanban Board Column,darkgrey,tamno siva apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},Uspješna: {0} do {1} @@ -442,13 +445,13 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,Više DocType: Contact,Sales Manager,Sales Manager apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,preimenovati DocType: Print Format,Format Data,Format Data -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,Kao +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,Kao DocType: Customize Form Field,Customize Form Field,Prilagodba polja obrasca apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,Dopusti korisnika DocType: OAuth Client,Grant Type,Grant Tip apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,Provjerite koji dokumenti su čitljivi od strane Korisnika apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,koristiti% kao zamjenski -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?","E-mail domena nije konfigurirana za ovaj nalog, Napravi jedan?" +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?","E-mail domena nije konfigurirana za ovaj nalog, Napravi jedan?" DocType: User,Reset Password Key,Reset Password ključ DocType: Email Account,Enable Auto Reply,Enable Auto Odgovor apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,Nisam vidio @@ -463,13 +466,13 @@ DocType: DocType,Fields,Polja DocType: System Settings,Your organization name and address for the email footer.,Vaše ime i adresu organizacije za e-footer. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,Parent Tabela apps/frappe/frappe/config/desktop.py +60,Developer,Razvijač -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,Objavio +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,Objavio apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} je u redu {1} Ne možete imati i URL i podredjene stavke apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,Korijen {0} se ne može izbrisati apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,Još nema komentara apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,Oba DOCTYPE i Ime potrebno apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,Ne možete mijenjati docstatus 1-0 -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,Take Backup Now +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,Take Backup Now apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,Dobrodošli apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,Instalirane aplikacije DocType: Communication,Open,Otvoreno @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,Od Ime i prezime apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},Nemate pristup Izvjestaju: {0} DocType: User,Send Welcome Email,Pošalji Dobrodošli Email apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,Pošalji CSV datoteku koja sadrži sve korisničke dozvole u istom obliku kao preuzimanje. -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,Ukloni filter +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,Ukloni filter DocType: Address,Personal,Osobno apps/frappe/frappe/config/setup.py +113,Bulk Rename,Bulk Rename DocType: Email Queue,Show as cc,Prikaži kao cc DocType: DocField,Heading,Naslov DocType: Workflow State,resize-vertical,resize-vertikalna -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. Upload +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. Upload DocType: Contact Us Settings,Introductory information for the Contact Us Page,Uvodni podaci za stranicu Kontaktirajte nas DocType: Web Page,CSS,CSS DocType: Workflow State,thumbs-down,palac dolje @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,U Global Search DocType: Workflow State,indent-left,alineje-lijevo apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,To je rizično izbrisati ovu datoteku: {0}. Molimo vas da se obratite System Manager. DocType: Currency,Currency Name,Valuta Ime -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,No Email +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,No Email DocType: Report,Javascript,Javascript DocType: File,Content Hash,Sadržaj Ljestve DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,Pohranjuje JSON prošle poznate verzije različitih instaliranih aplikacija. To se koristi za prikaz bilješke puštanje na slobodu. @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',Korisnik '{0}' već ima ulogu '{1}' apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,Postaviti i Sync apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},Podijeljeno sa {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,unsubscribe +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,unsubscribe DocType: Communication,Reference Name,Referenca Ime apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,Chat Support DocType: Error Snapshot,Exception,Izuzetak @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,Newsletter Menadžer apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,Opcija 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,sve Poruke apps/frappe/frappe/config/setup.py +89,Log of error during requests.,Prijavite greške prilikom zahtjeva. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} je uspješno dodan na mail Grupe. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,Napravite datoteku (e) privatno ili javno? -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},Planirano za slanje na {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} je uspješno dodan na mail Grupe. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,Napravite datoteku (e) privatno ili javno? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},Planirano za slanje na {0} DocType: Kanban Board Column,Indicator,pokazatelj DocType: DocShare,Everyone,Svi DocType: Workflow State,backward,Nazad @@ -583,11 +586,11 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,Datum pos apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,nije dopušteno. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,Pogledaj Pretplatnici DocType: Website Theme,Background Color,Boja pozadine -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,Bilo je grešaka tijekom slanja e-pošte. Molimo pokušajte ponovno . +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,Bilo je grešaka tijekom slanja e-pošte. Molimo pokušajte ponovno . DocType: Portal Settings,Portal Settings,portal Postavke DocType: Web Page,0 is highest,0 je najviši apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,Jeste li sigurni da želite da se prespoje ove komunikacije na {0}? -apps/frappe/frappe/www/login.html +99,Send Password,Pošalji lozinke +apps/frappe/frappe/www/login.html +104,Send Password,Pošalji lozinke apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,Prilozi apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,Nemate dopuštenja za pristup ovom dokumentu DocType: Language,Language Name,Jezik @@ -595,28 +598,29 @@ DocType: Email Group Member,Email Group Member,Podijelite Grupa članova DocType: Email Alert,Value Changed,Vrijednost promijenila apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},Dupli naziv {0} {1} DocType: Web Form Field,Web Form Field,Web Form Field -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,Sakrij polju u Report Builder +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,Sakrij polju u Report Builder apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,Edit HTML -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,Vraćanje Original Dozvole +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,Vraćanje Original Dozvole DocType: Address,Shop,Prodavnica DocType: DocField,Button,Dugme +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,{0} je sada zadani format za ispis za {1} doctype apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,Arhivirani Kolumne DocType: Email Account,Default Outgoing,Uobičajeno Odlazni DocType: Workflow State,play,igrati apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,Kliknite na link ispod da završite registraciju i postaviti novu lozinku -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,Nije dodano +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,Nije dodano apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,Ne-mail Accounts Assigned DocType: Contact Us Settings,Contact Us Settings,Kontaktirajte nas Settings -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,Tražim ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,Tražim ... DocType: Workflow State,text-width,tekst širine apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,Maksimalni Prilog Limit za ovaj rekord postignut. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,Sljedeći obavezna polja moraju biti popunjena:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,Sljedeći obavezna polja moraju biti popunjena:
    DocType: Email Alert,View Properties (via Customize Form),Pogledajte nekretnine (preko Prilagodi obrazac) DocType: Note Seen By,Note Seen By,Napomena vidi apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,Pokušajte koristiti duže obrazac tastatura sa više skretanja DocType: Feedback Trigger,Check Communication,Provjerite Komunikacija apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,Report Builder izvješća se izravno upravlja Report Builder. Ništa učiniti. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,Molimo Vas da provjerite e-mail adresa +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,Molimo Vas da provjerite e-mail adresa apps/frappe/frappe/model/document.py +907,none of,nitko od apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,Pošalji kopiju meni apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,Unos korisnika Dozvole @@ -624,7 +628,7 @@ DocType: Dropbox Settings,App Secret Key,App tajni ključ apps/frappe/frappe/config/website.py +7,Web Site,Web stranice apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,Označene stavke će biti prikazan na radnoj površini apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} se ne može postaviti za jedinicne vrste -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,Kanban odbor {0} ne postoji. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,Kanban odbor {0} ne postoji. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} trenutno gledate ovaj dokument DocType: ToDo,Assigned By Full Name,Dodijeljen od strane Ime i prezime apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0} ažurirana @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,{0} dan DocType: Email Account,Awaiting Password,čeka lozinke DocType: Address,Address Line 1,Adresa - linija 1 DocType: Custom DocPerm,Role,Uloga -apps/frappe/frappe/utils/data.py +429,Cent,Cent -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,Sastavi-mail +apps/frappe/frappe/utils/data.py +430,Cent,Cent +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,Sastavi-mail apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).","Države za tijek rada ( npr. skicu, odobreno Otkazan ) ." DocType: Print Settings,Allow Print for Draft,Dozvolite Ispis za Nacrt -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,Set Količina +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,Set Količina apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,Dostavi taj dokument da potvrdi DocType: User,Unsubscribed,Pretplatu apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,Postaviti prilagođene uloge za stranicu i izvještaj apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,Ocjena: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,Ne možete pronaći UIDVALIDITY odgovor status IMAP +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,Ne možete pronaći UIDVALIDITY odgovor status IMAP ,Data Import Tool,Alat za uvoz podataka -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,Upload datoteke pričekajte nekoliko sekundi. +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,Upload datoteke pričekajte nekoliko sekundi. apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,Priložite svoju sliku apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,Row Promena vrednosti DocType: Workflow State,Stop,zaustaviti @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,Polja za pretragu DocType: OAuth Bearer Token,OAuth Bearer Token,OAuth Nosilac Token apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,No dokument odabranih DocType: Event,Event,Događaj -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:","Na {0}, {1} napisao:" +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:","Na {0}, {1} napisao:" apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,Ne možete izbrisati standardne polje. Možete sakriti ako želite DocType: Top Bar Item,For top bar,Na gornjoj traci apps/frappe/frappe/utils/bot.py +148,Could not identify {0},nije mogao da identifikuje {0} @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,Nekretnine seter apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,Odaberite korisnika ili DocType za početak. DocType: Web Form,Allow Print,Dozvolite Print apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,No Apps Instalirani -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,Označite polje kao obavezni +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,Označite polje kao obavezni DocType: Communication,Clicked,Kliknuli apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},Nema dozvole za ' {0} ' {1} DocType: User,Google User ID,Google korisnički ID @@ -727,7 +731,7 @@ DocType: Event,orange,narandža apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,Nije našao {0} apps/frappe/frappe/config/setup.py +236,Add custom forms.,Dodaj prilagođenu formu. apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} u {2} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,dostavio ovaj dokument +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,dostavio ovaj dokument apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,Sustav nudi brojne unaprijed definirane uloge . Možete dodavati nove uloge postaviti finije dozvole. DocType: Communication,CC,CC DocType: Address,Geo,Geo @@ -739,7 +743,8 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Sele apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,Aktivan apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,Umetnite Ispod DocType: Event,Blue,Plava boja -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,"Sve prilagođavanja će biti uklonjena. Molimo, potvrdite unos." +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,"Sve prilagođavanja će biti uklonjena. Molimo, potvrdite unos." +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,E-mail adresu ili broj mobilnog DocType: Page,Page HTML,HTML stranica apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,po abecednom redu noviji apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,"Daljnje čvorovi mogu se samo stvorio pod ""Grupa"" tipa čvorova" @@ -766,7 +771,7 @@ DocType: User,Represents a User in the system.,Predstavlja korisnika u sistemu. DocType: Communication,Label,Oznaka apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","Zadatak {0}, koje ste dodijelili {1}, je zatvoren." DocType: User,Modules Access,Moduli Access -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,Molimo vas da zatvorite ovaj prozor +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,Molimo vas da zatvorite ovaj prozor DocType: Print Format,Print Format Type,Ispis formatu DocType: Newsletter,A Lead with this Email Address should exist,Elektrode sa ovim e-mail adresa treba da postoji apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,Open Source Prijave za Web @@ -776,18 +781,18 @@ DocType: Role Permission for Page and Report,Allow Roles,Dozvolite Uloge DocType: DocType,Hide Toolbar,Sakrij alatnu traku DocType: User,Last Active,Zadnji put DocType: Email Account,SMTP Settings for outgoing emails,SMTP postavke za odlazne e-pošte -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,Uvoz nije uspjelo +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,Uvoz nije uspjelo apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,Vaša lozinka je ažurirana. Ovdje je svoju novu lozinku DocType: Email Account,Auto Reply Message,Auto poruka odgovora DocType: Feedback Trigger,Condition,Stanje -apps/frappe/frappe/utils/data.py +521,{0} hours ago,{0} sata -apps/frappe/frappe/utils/data.py +531,1 month ago,prije 1 mjesec +apps/frappe/frappe/utils/data.py +522,{0} hours ago,{0} sata +apps/frappe/frappe/utils/data.py +532,1 month ago,prije 1 mjesec DocType: Contact,User ID,Korisnički ID DocType: Communication,Sent,Poslano DocType: File,Lft,LFT DocType: User,Simultaneous Sessions,Simultano Sessions DocType: OAuth Client,Client Credentials,akreditiva klijent -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,Otvorite modul ili alat +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,Otvorite modul ili alat DocType: Communication,Delivery Status,Status isporuke DocType: Module Def,App Name,App Naziv apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,Maksimalna veličina datoteke dozvoljena je {0} MB @@ -808,11 +813,11 @@ DocType: Address,Address Type,Tip adrese apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,Neispravno korisničko ime ili lozinka. Ispravite i pokušajte ponovo. DocType: Email Account,Yahoo Mail,Yahoo Mail apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,Vaša pretplata ističe sutra. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,Sačuvane! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,Sačuvane! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},Ažurirano {0}: {1} DocType: DocType,User Cannot Create,Korisnik ne može stvoriti apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,Folder {0} ne postoji -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,pristup Dropbox je odobren! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,pristup Dropbox je odobren! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.","To će takođe biti postavljeno kao zadana vrijednost za one linkove , ako je samo jedan takav zapis definisan ." DocType: Customize Form,Enter Form Type,Unesite Obrazac Vid apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,Nema zapisa tagged. @@ -820,17 +825,16 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +4 DocType: User,Send Password Update Notification,Pošalji lozinku Update Notification apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!","Dopuštanje DOCTYPE , vrstu dokumenata . Budite oprezni !" apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email","Prilagođeni formati za tapete, E-mail" -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,Ažurirani u New Version +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,Ažurirani u New Version DocType: Custom Field,Depends On,Zavisi od DocType: Event,Green,Zelenilo DocType: Custom DocPerm,Additional Permissions,Dodatne dozvole DocType: Email Account,Always use Account's Email Address as Sender,Uvijek koristite račun e-mail adresa kao Sender apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,Prijava na komentar apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,Start unosa podataka ispod ove linije -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},promijenjenih vrijednosti za {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},promijenjenih vrijednosti za {0} DocType: Workflow State,retweet,retweet -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,Ažurirajte predložak i sačuvati u CSV (Comma Poseban vrijednosti) formatu prije pričvršćivanja. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,Odredite vrijednost polja +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,Odredite vrijednost polja DocType: Report,Disabled,Ugašeno DocType: Workflow State,eye-close,oka u blizini DocType: OAuth Provider Settings,OAuth Provider Settings,OAuth Provider Postavke @@ -844,9 +848,9 @@ DocType: Address,Is Your Company Address,Is Your Company Adresa apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,Uređivanje Row DocType: Workflow Action,Workflow Action Master,Workflow Akcija Master DocType: Custom Field,Field Type,Vrsta polja -apps/frappe/frappe/utils/data.py +446,only.,samo. +apps/frappe/frappe/utils/data.py +447,only.,samo. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,Izbjegavajte godina koji su povezani sa vama. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,Silazni +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,Silazni apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,Nevažeći mail server. Ispravi i pokušaj ponovno. DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.","Za Links, unesite DOCTYPE kao raspon. Za Select, unesite lista opcija, svaki na novu liniju." @@ -855,15 +859,14 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},No dozvolu z apps/frappe/frappe/config/desktop.py +8,Tools,Alati apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,Izbjegavajte posljednjih nekoliko godina. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,Više korijen čvorovi nisu dopušteni . -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,E-mail Account not setup. Molimo vas da se stvori novi e-pošte iz Setup> E-mail> e-pošte DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.","Ako je omogućeno, korisnici će biti obaviješteni svaki put kada se prijavite. Ako nije omogućen, korisnici će biti obaviješteni samo jednom." DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.","Ako je označeno, korisnici neće vidjeti dijalog potvrdu pristupa." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,ID polja je potrebno za uređivanje vrijednosti pomoću Report. Molimo odaberite polje ID pomoću Column Picker +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,ID polja je potrebno za uređivanje vrijednosti pomoću Report. Molimo odaberite polje ID pomoću Column Picker apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,Komentari apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,Potvrditi apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,Skupi sve apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,Instalirajte {0}? -apps/frappe/frappe/www/login.html +71,Forgot Password?,Zaboravili ste lozinku? +apps/frappe/frappe/www/login.html +76,Forgot Password?,Zaboravili ste lozinku? DocType: System Settings,yyyy-mm-dd,gggg-mm-dd apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,ID apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,greska servera @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,Facebook User ID DocType: Workflow State,fast-forward,brzo naprijed DocType: Communication,Communication,Komunikacija apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.","Provjerite kolone za odabir, povucite postaviti red." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,Ovo je trajna akciju i ne možete poništiti. Nastaviti? +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,Ovo je trajna akciju i ne možete poništiti. Nastaviti? DocType: Event,Every Day,Svaki dan DocType: LDAP Settings,Password for Base DN,Lozinku za Base DN apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,Tabela Field @@ -914,14 +917,14 @@ DocType: Workflow State,align-justify,poravnanje-jednako DocType: User,Middle Name (Optional),Krsno ime (opcionalno) apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,Ne Dozvoljena apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,Nakon polja imaju nedostajućih vrijednosti: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,Nemate dovoljno dozvole za završetak akcije -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,nema Rezultati +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,Nemate dovoljno dozvole za završetak akcije +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,nema Rezultati DocType: System Settings,Security,Sigurnost -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,Planirano za slanje na {0} primaoca +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,Planirano za slanje na {0} primaoca apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},preimenovan iz {0} do {1} DocType: Currency,**Currency** Master,** Valuta ** Master DocType: Email Account,No of emails remaining to be synced,Ne e-mailova preostalih da se sinhronizuju -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,otpremanje +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,otpremanje apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,Sačuvajte dokument zadatak DocType: Website Settings,Address and other legal information you may want to put in the footer.,Adresa i druge pravne informacije koje možda želite staviti u podnožje. DocType: Website Sidebar Item,Website Sidebar Item,Sajt Sidebar Stavka @@ -940,7 +943,7 @@ apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App { DocType: Communication,Feedback Request,povratne informacije Upit apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,Nakon polja nedostaju: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,eksperimentalni karakteristike -apps/frappe/frappe/www/login.html +25,Sign in,Prijavi se +apps/frappe/frappe/www/login.html +30,Sign in,Prijavi se DocType: Web Page,Main Section,Glavni Odjeljak DocType: Page,Icon,ikona apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,filtrirati vrijednosti između 5 i 10 @@ -950,7 +953,7 @@ DocType: System Settings,dd/mm/yyyy,dd / mm / gggg DocType: System Settings,Backups,Rezervne kopije apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,Dodaj kontakt DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,Opcionalno: Uvijek poslati te IDS. Svaka e-mail adresa na novi red -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,Sakrij detalje +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,Sakrij detalje DocType: Workflow State,Tasks,zadataka DocType: Event,Tuesday,Utorak DocType: Blog Settings,Blog Settings,Blog podešavanja @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,Datum dospijeća apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,prvi dan u tromjesečju DocType: Social Login Keys,Google Client Secret,Google - tajna klijenta DocType: Website Settings,Hide Footer Signup,Sakrij Footer Prijavite -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,otkazan ovaj dokument +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,otkazan ovaj dokument apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,Napišite Python datoteku u istu mapu gdje je spremljena i povratka stupcu i rezultat. DocType: DocType,Sort Field,Sortiraj polje DocType: Razorpay Settings,Razorpay Settings,Razorpay Postavke -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,Edit Filter +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,Edit Filter apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,Polje {0} tipa {1} ne može biti obvezno DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User","npr. Ako Nanesite korisnika Dozvole se provjerava za Izvještaj DocType ali nema korisnika Dozvole su definirane za Izvještaj za korisnika, onda svi izvještaji su pokazali da to korisnika" apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,sakrij grafikon DocType: System Settings,Session Expiry Mobile,Session Istek Mobile apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,Rezultati pretrage za apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,Odaberete preuzimanje: -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,Ako {0} je dozvoljeno +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,Ako {0} je dozvoljeno DocType: Custom DocPerm,If user is the owner,Ukoliko korisnik je vlasnik ,Activity,Aktivnost DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Pomoć: Za povezivanje na drugi zapis u sistemu, koristite ""# Forma / Napomena / [Napomena ime]"" kao URL veze. (Ne koristite ""http://"")" apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,Da izbjeći ponovio riječi i slova DocType: Communication,Delayed,Odgođen apps/frappe/frappe/config/setup.py +128,List of backups available for download,Popis backup dostupan za preuzimanje -apps/frappe/frappe/www/login.html +84,Sign up,Prijaviti se +apps/frappe/frappe/www/login.html +89,Sign up,Prijaviti se DocType: Integration Request,Output,izlaz apps/frappe/frappe/config/setup.py +220,Add fields to forms.,Dodaj polja na obrasce. DocType: File,rgt,RGT @@ -995,7 +998,7 @@ DocType: User Email,Email ID,E-mail ID DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,Lista resursa koji će klijent aplikacija ima pristup nakon što korisnik dozvoljava.
    npr projekta DocType: Translation,Translated Text,prevedeni tekst DocType: Contact Us Settings,Query Options,Opcije upita -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,Uvoz uspješan! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,Uvoz uspješan! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,Ažuriranje Records DocType: Error Snapshot,Timestamp,Vremenska oznaka DocType: Patch Log,Patch Log,Patch Prijava @@ -1009,14 +1012,14 @@ DocType: System Settings,Setup Complete,Podešavanje je okončano apps/frappe/frappe/config/setup.py +66,Report of all document shares,Izvještaj svih dijeljenih dokumenata apps/frappe/frappe/www/update-password.html +18,New Password,Nova lozinka apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,Filter {0} nedostaje -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,Žao mi je! Ne možete izbrisati automatski generišu komentare +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,Žao mi je! Ne možete izbrisati automatski generišu komentare DocType: Website Theme,Style using CSS,Stil pomoću CSS apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,Referentna DOCTYPEhtml DocType: User,System User,Korisnik sustava DocType: Report,Is Standard,Je Standardni DocType: Desktop Icon,_report,_report DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field","Nemojte HTML kodiranje HTML tagove kao <script> ili samo likovi poput <ili>, kao što se može namjerno koristiti u ovoj oblasti" -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,Navedite default vrijednost +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,Navedite default vrijednost DocType: Website Settings,FavIcon,Favicon apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,Barem jedan odgovor je obavezno pre nego što zatražite povratne informacije DocType: Workflow State,minus-sign,minus znak @@ -1027,7 +1030,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Cu DocType: Authentication Log,Login,Prijava DocType: Web Form,Payments,Plaćanja DocType: System Settings,Enable Scheduled Jobs,Omogućite rasporedu radnih mjesta -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,Bilješke : +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,Bilješke : apps/frappe/frappe/www/message.html +19,Status: {0},Status: {0} DocType: DocShare,Document Name,Dokument Ime apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,Označi kao spam @@ -1041,7 +1044,7 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,Prikazivan apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,Od datuma apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,Uspješno apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},Povratne informacije Zahtjev za {0} se šalje na {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,sesija je istekla +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,sesija je istekla DocType: Kanban Board Column,Kanban Board Column,Kanban Board Kolona apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,Ravno reda tipke su lako pogoditi DocType: Communication,Phone No.,Telefonski broj @@ -1051,7 +1054,7 @@ DocType: Workflow State,picture,slika apps/frappe/frappe/www/complete_signup.html +22,Complete,Kompletan DocType: Customize Form,Image Field,Slika Field DocType: Print Format,Custom HTML Help,Custom HTML Pomoć -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,Dodavanje novog Ograničenje +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,Dodavanje novog Ograničenje apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,Pogledajte na sajtu DocType: Workflow Transition,Next State,Sljedeća država DocType: User,Block Modules,Blok Moduli @@ -1066,7 +1069,7 @@ DocType: Email Account,Default Incoming,Uobičajeno Incoming DocType: Workflow State,repeat,ponoviti DocType: Website Settings,Banner,Baner DocType: Role,"If disabled, this role will be removed from all users.","Ako onemogućeno, ova uloga će biti uklonjena iz svih korisnika." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,Pomoć u pretraživanju +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,Pomoć u pretraživanju apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,Registrovan ali sa invaliditetom DocType: DocType,Hide Copy,Sakrij kopiju apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,Poništi sve uloge @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,Izbrisati apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},Novi {0} apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,Korisnicka prava pristupa nisu pronadjena. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,Uobičajeno Inbox -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,Napravite novi +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,Napravite novi DocType: Print Settings,PDF Page Size,PDF Page Size apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,Napomena: polja koji imaju prazan vrijednost za navedene kriterije se ne filtriraju. DocType: Communication,Recipient Unsubscribed,Primalac Odjavljene DocType: Feedback Request,Is Sent,se šalje apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,O nama -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.","Za ažuriranje, možete ažurirati samo selektivne kolone." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.","Za ažuriranje, možete ažurirati samo selektivne kolone." DocType: System Settings,Country,Zemlja apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,Adrese DocType: Communication,Shared,Zajednička @@ -1125,12 +1128,12 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",% S nije važeći izvještaj formatu. Izvještaj format treba \ jedan od sledećih% s DocType: Communication,Chat,Chat apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},"Podataka, Naziv Polja {0} se pojavljuje više puta u redovima {1}" -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} od {1} na {2} u nizu # {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} od {1} na {2} u nizu # {3} DocType: Communication,Expired,Istekla DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),Broj kolona za polje u Grid (Ukupno kolone u mrežu treba biti manji od 11) DocType: DocType,System,Sustav DocType: Web Form,Max Attachment Size (in MB),Max Prilog Veličina (u MB) -apps/frappe/frappe/www/login.html +88,Have an account? Login,Imate račun? Prijavi se +apps/frappe/frappe/www/login.html +93,Have an account? Login,Imate račun? Prijavi se apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},Nepoznato Ispis Format: {0} DocType: Workflow State,arrow-down,Strelica prema dole apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,kolaps @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,Custom Uloga apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,Početna / Test Folder 2 DocType: System Settings,Ignore User Permissions If Missing,Zanemari korisnika Dozvole Ako nestale -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,Sačuvajte dokument upload. -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,Unesite lozinku +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,Sačuvajte dokument upload. +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,Unesite lozinku DocType: Dropbox Settings,Dropbox Access Secret,Dropbox tajni pristup apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,Dodali još jedan komentar apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,Uredi DocType -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,Odjavljeni iz Newsletter +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,Odjavljeni iz Newsletter apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,Fold mora doći pred Odjelom Break apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,Zadnja izmjena Do DocType: Workflow State,hand-down,ruka-dole @@ -1159,7 +1162,8 @@ DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,Preusmjeriti U DocType: DocType,Is Submittable,Je Submittable apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,Vrijednost za kontrola polja može biti 0 ili 1. apps/frappe/frappe/model/document.py +634,Could not find {0},Ne mogu pronaći {0} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,Kolona Labels: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,Preuzimanje u Excel File Format +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,Kolona Labels: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,Obvezno odabrati seriju DocType: Social Login Keys,Facebook Client ID,Facebook Client ID DocType: Workflow State,Inbox,Inbox @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,Grupa DocType: Footer Item,"Select target = ""_blank"" to open in a new page.","Select target = "" _blank "" za otvaranje u novoj stranici." apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,Trajno brisanje {0} ? apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,Sve file već priključen na zapisnik -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,Zanemari kodiranja greške. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,Zanemari kodiranja greške. DocType: Auto Email Report,XLS,XLS DocType: Workflow State,wrench,Ključ apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,ne Set @@ -1195,24 +1199,25 @@ apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be e apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","Značenje Podnijeti, Odustani, Izmijeniti" apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,To Do apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,Svaka postojeća dozvola bit će izbrisani / prebrisana. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),Zatim Do (opcionalno) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),Zatim Do (opcionalno) DocType: File,Preview HTML,Pregled HTML DocType: Desktop Icon,query-report,upit-izvještaj apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},Dodijeljeno {0}: {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,filteri spasio DocType: DocField,Percent,Postotak -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,Molimo postavite filtere +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,Molimo postavite filtere apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,Povezan s DocType: Workflow State,book,knjiga DocType: Website Settings,Landing Page,Odredišna stranica apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,Greška u Custom Script apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} Ime -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.","Uvoz Zahtjev redu za slanje. To može potrajati nekoliko trenutaka, budite strpljivi." +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.","Uvoz Zahtjev redu za slanje. To može potrajati nekoliko trenutaka, budite strpljivi." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,Nema dozvole postavljen za ove kriterije. DocType: Auto Email Report,Auto Email Report,Auto-mail Report apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,Max Email -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,Izbriši komentar? +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,Izbriši komentar? DocType: Address Template,This format is used if country specific format is not found,Ovaj format se koristi ako država specifičan format nije pronađena +DocType: System Settings,Allow Login using Mobile Number,Dozvolite Prijava koristeći Broj mobilnog apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,Nemate dovoljno dozvolu da pristupite ovoj resurs. Molimo Vas da kontaktirate svog menadžera da biste dobili pristup. DocType: Custom Field,Custom,Običaj apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,Postavljanje Email obavještenja uzavisnosti od različitih uslova @@ -1238,7 +1243,7 @@ DocType: Workflow State,step-backward,korak unatrag apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{ Naslov_aplikacije } apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,Molimo postaviti Dropbox pristupnih tipki u vašem web config apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,Izbriši ovaj rekord kako bi se omogućilo slanje na ovu e-mail adresu -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,Samo obavezna polja su neophodni za nove rekorde. Možete izbrisati neobavezne kolone ako želite. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,Samo obavezna polja su neophodni za nove rekorde. Možete izbrisati neobavezne kolone ako želite. apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,Nije moguće ažurirati događaja apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,plaćanje Kompletna apps/frappe/frappe/utils/bot.py +89,show,pokazati @@ -1249,6 +1254,7 @@ DocType: Workflow State,map-marker,Karta marker apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,Slanje problem DocType: Event,Repeat this Event,Ponovite ovaj događaj DocType: Contact,Maintenance User,Održavanje korisnika +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,sortiranje Preferences apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,Izbjegavajte datumi i godine koji su povezani sa vama. DocType: Custom DocPerm,Amend,Ispraviti DocType: File,Is Attachments Folder,Prilozi je Folder @@ -1274,9 +1280,9 @@ DocType: DocType,Route,ruta apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,Razorpay postavke Payment Gateway DocType: DocField,Name,Ime apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,Premašili ste maksimalan prostor od {0} za svoj plan. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,Pretražite docs +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,Pretražite docs DocType: OAuth Authorization Code,Valid,Validan -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,Open Link +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,Open Link apps/frappe/frappe/desk/form/load.py +46,Did not load,Nije učitano apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,Dodaj Row DocType: Tag Category,Doctypes,Doctype @@ -1291,7 +1297,7 @@ DocType: Workflow State,align-center,poravnanje-centar DocType: Feedback Request,Is Feedback request triggered manually ?,Povratna zahtjev pokrenuti ručno? apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,Mogu pisati apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.","Određeni dokumenti , poput fakturu , ne treba mijenjati jednom finalu . Konačno stanje za takve dokumente se zove Postavio . Možete ograničiti koje uloge mogu podnijeti ." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,Nije Vam dopušteno izvoziti ovaj izvještaj +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,Nije Vam dopušteno izvoziti ovaj izvještaj apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,1 stavka odabrana DocType: Newsletter,Test Email Address,Test-mail adresa DocType: ToDo,Sender,Pošiljaoc @@ -1330,7 +1336,7 @@ apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,redov apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} nije pronađena DocType: Communication,Attachment Removed,Prilog Uklonjeno apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,Posljednjih godina je lako pogoditi. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,Pokaži opis ispod polja +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,Pokaži opis ispod polja DocType: DocType,ASC,ASC DocType: Workflow State,align-left,poravnanje-lijevo DocType: User,Defaults,Zadani @@ -1341,7 +1347,7 @@ DocType: Dynamic Link,Link Title,link Naslov DocType: Workflow State,fast-backward,brzo nazad DocType: DocShare,DocShare,DocShare DocType: Event,Friday,Petak -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,Uredi u punom stranici +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,Uredi u punom stranici DocType: Authentication Log,User Details,Detalji korisnika DocType: Report,Add Total Row,Dodaj ukupno redaka apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,"Na primjer, ako se otkaz i dopune INV004 će postati novi dokument INV004-1. To će Vam pomoći da pratite svakog amandmana." @@ -1359,8 +1365,8 @@ For e.g. 1 USD = 100 Cent","1 = Valuta [?] Frakcija Za npr 1 USD = 100 Cent" apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour","Previše mnogi korisnici potpisali nedavno, tako da je registracija je onemogućen. Molimo Vas da pokušate vratiti za sat vremena" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,Dodaj novo pravilo za dozvole korisnicima -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,Možete koristiti zamjenski% -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Samo slike ekstenzije (.gif, .jpg, .jpeg, .tiff, .png, .svg) dozvoljeno" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,Možete koristiti zamjenski% +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Samo slike ekstenzije (.gif, .jpg, .jpeg, .tiff, .png, .svg) dozvoljeno" DocType: DocType,Database Engine,Database Engine DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box","Polja odvojenih zarezom (,) će biti uključeni u "Pretraga po" listi Traži za dijalog" apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,Molimo vas da Duplicate ovu Web Tema za prilagođavanje. @@ -1368,10 +1374,10 @@ DocType: DocField,Text Editor,Tekst Editor apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,Podešavanja za O nama stranicu. apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,Edit Custom HTML DocType: Error Snapshot,Error Snapshot,Greška Snapshot -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,U +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,U DocType: Email Alert,Value Change,Vrijednost Promjena DocType: Standard Reply,Standard Reply,Standardna Odgovor -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,Širina okvir za unos +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,Širina okvir za unos DocType: Address,Subsidiary,Podružnica DocType: System Settings,In Hours,U sati apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,S zaglavljem @@ -1386,13 +1392,12 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,Pozovi kao korisnika apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,Odaberite priloge apps/frappe/frappe/model/naming.py +95, for {0},za {0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,Bilo je grešaka. Molimo prijavite ovo. +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,Bilo je grešaka. Molimo prijavite ovo. apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,Nije Vam dopušteno ispisati ovaj dokument apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,Molimo podesite filteri vrijednost u Izvještaju Filter tabeli. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,Učitavanje izvješće +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,Učitavanje izvješće apps/frappe/frappe/limits.py +72,Your subscription will expire today.,Vaša pretplata ističe danas. DocType: Page,Standard,Standard -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,Nađi {0} u apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,Priloži datoteke apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,Password Update Notification apps/frappe/frappe/desk/page/backups/backups.html +13,Size,Veličina @@ -1403,9 +1408,9 @@ DocType: Deleted Document,New Name,Novo ime DocType: Communication,Email Status,E-mail Status apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,Sačuvajte dokument prije uklanjanja zadatak apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,Insert Iznad -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,Zajednički imena i prezimena su lako pogoditi. +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,Zajednički imena i prezimena su lako pogoditi. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,Nepotvrđeno -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,To je slično najčešće koriste lozinke. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,To je slično najčešće koriste lozinke. DocType: User,Female,Ženski DocType: Print Settings,Modern,Moderna apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,Search Results @@ -1413,7 +1418,7 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,Ne čuvaju DocType: Communication,Replied,Odgovorio DocType: Newsletter,Test,Test DocType: Custom Field,Default Value,Zadana vrijednost -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,Provjeriti +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,Provjeriti DocType: Workflow Document State,Update Field,Update Field apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},Validacija nije za {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,Regionalni Extensions @@ -1426,7 +1431,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,Nula znači poslati evidencije ažuriran bilo kada apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,kompletan Setup DocType: Workflow State,asterisk,Zvjezdica -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,Molimo vas da ne promijenite predložak naslova. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,Molimo vas da ne promijenite predložak naslova. DocType: Communication,Linked,Povezan apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},Unesite ime novog {0} DocType: User,Frappe User ID,Frappe korisniku ID @@ -1435,9 +1440,9 @@ DocType: Workflow State,shopping-cart,shopping-cart apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,sedmica DocType: Social Login Keys,Google,Google DocType: Email Domain,Example Email Address,Primjer e-mail adresa -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,najviše koristi -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,Odjava sa Newsletter -apps/frappe/frappe/www/login.html +96,Forgot Password,Zaboravili ste lozinku +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,najviše koristi +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,Odjava sa Newsletter +apps/frappe/frappe/www/login.html +101,Forgot Password,Zaboravili ste lozinku DocType: Dropbox Settings,Backup Frequency,backup Frequency DocType: Workflow State,Inverse,Inverzan DocType: DocField,User permissions should not apply for this Link,Ovlaštenja korisnika ne bi trebao podnijeti zahtjev za ovaj link @@ -1448,9 +1453,9 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Nu apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,Browser nije podržan apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,Neke informacije nedostaju DocType: Custom DocPerm,Cancel,Otkaži -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,Dodaj Desktop +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,Dodaj Desktop apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,File {0} ne postoji -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,Ostavite prazno za nove rekorde +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,Ostavite prazno za nove rekorde apps/frappe/frappe/config/website.py +63,List of themes for Website.,Popis tema za Web. apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,uspješno ažurirana DocType: Authentication Log,Logout,Odjava @@ -1463,7 +1468,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a DocType: Currency,Symbol,Simbol apps/frappe/frappe/model/base_document.py +535,Row #{0}:,Row # {0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,Nova lozinka je poslana mailom -apps/frappe/frappe/auth.py +242,Login not allowed at this time,Prijava nije dopuštena u ovom trenutku +apps/frappe/frappe/auth.py +245,Login not allowed at this time,Prijava nije dopuštena u ovom trenutku DocType: Email Account,Email Sync Option,E-mail Sync Opcija DocType: Async Task,Runtime,Runtime DocType: Contact Us Settings,Introduction,Uvod @@ -1478,7 +1483,7 @@ apps/frappe/frappe/config/setup.py +240,Custom Tags,Custom Tagovi apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,No matching aplikacije pronađen DocType: Communication,Submitted,Potvrđeno DocType: System Settings,Email Footer Address,E-mail adresa Footer -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,Tabela ažurira +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,Tabela ažurira DocType: Communication,Timeline DocType,Timeline DocType DocType: DocField,Text,Tekst apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,Standardni odgovori na uobičajene upite. @@ -1488,7 +1493,7 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by DocType: Footer Item,Footer Item,footer Stavka ,Download Backups,Download Backup apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,Početna / Test Mapa1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.","Ne ažurirati, ali ubacite nove rekorde." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.","Ne ažurirati, ali ubacite nove rekorde." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,Dodijeli meni apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,Uredi Folder DocType: DocField,Dynamic Link,Dinamička poveznica @@ -1501,9 +1506,10 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,Brza pomoć za postavljanje dopuštenja DocType: Tag Doc Category,Doctype to Assign Tags,Doctype da dodeli Tagovi apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,Pokaži recidiva +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,E-mail je preselio u smece DocType: Report,Report Builder,Generator izvjestaja DocType: Async Task,Task Name,Task Name -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.","Vaša sesija je istekla, prijavite se ponovo za nastavak." +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.","Vaša sesija je istekla, prijavite se ponovo za nastavak." DocType: Communication,Workflow,Hodogram apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},Čekanju za backup i uklanjanje {0} DocType: Workflow State,Upload,upload @@ -1526,7 +1532,7 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18",Ovo polje će se pojaviti samo ako Naziv Polja ovdje definiran ima vrednost ili pravila su istinite (primjeri): myfield EVAL: doc.myfield == 'Moja Vrijednost' eval: doc.age> 18 -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,danas +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,danas apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).","Nakon što ste postavili to, korisnici će biti samo u mogućnosti pristupa dokumentima ( npr. blog post ) gdje jeveza postoji ( npr. Blogger ) ." DocType: Error Log,Log of Scheduler Errors,Dnevnik Scheduler Errors DocType: User,Bio,Bio @@ -1540,7 +1546,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,Deleted DocType: Workflow State,adjust,Prilagodi DocType: Web Form,Sidebar Settings,Bočna traka Postavke -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,

    nađeni za 'Nema rezultata

    DocType: Website Settings,Disable Customer Signup link in Login page,Ugasiti korisnički prijavni link na stranici za prijavu apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,Dodijeljeno / VLASNIK DocType: Workflow State,arrow-left,Strelica lijevo @@ -1561,8 +1566,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,Pokaži Naslovi DocType: Bulk Update,Limit,granica apps/frappe/frappe/www/printview.py +219,No template found at path: {0},Ne predložak naći na putu: {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,Submit nakon uvoza. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,Bez e-pošte +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,Submit nakon uvoza. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,Bez e-pošte DocType: Communication,Cancelled,Otkazano DocType: Standard Reply,Standard Reply Help,Standard Odgovori Pomoć DocType: Blogger,Avatar,Avatar @@ -1571,13 +1576,13 @@ DocType: DocType,Has Web View,Ima Web View apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores","ime DocType treba počinjati slovom i može se sastojati samo od slova, brojeva, prostora i donje crte" DocType: Communication,Spam,Neželjena pošta DocType: Integration Request,Integration Request,integracija Upit -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,Poštovani +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,Poštovani DocType: Contact,Accounts User,Računi korisnika DocType: Web Page,HTML for header section. Optional,HTML za sekcije zaglavlja. Opcija apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,Ova funkcija je potpuno nov i još uvijek eksperimentalna apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,Maksimalne {0} redovi dopušteno DocType: Email Unsubscribe,Global Unsubscribe,Global Odjava -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,Ovo je vrlo čest lozinku. +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,Ovo je vrlo čest lozinku. apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,Pogled DocType: Communication,Assigned,Dodijeljeno DocType: Print Format,Js,Js @@ -1585,13 +1590,14 @@ apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Form apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,obrasci Kratki tastatura je lako pogoditi DocType: Portal Settings,Portal Menu,portal Menu apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,Dužina {0} treba biti između 1 i 1000 -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,Pretraga za sve +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,Pretraga za sve DocType: DocField,Print Hide,Ispis Sakrij apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,Unesite vrijednost DocType: Workflow State,tint,nijansa DocType: Web Page,Style,Stil apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,npr: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} komentari +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,E-mail Account not setup. Molimo vas da se stvori novi e-pošte iz Setup> E-mail> e-pošte apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,Izaberite kategoriju ... DocType: Customize Form Field,Label and Type,Oznaka i tip DocType: Workflow State,forward,naprijed @@ -1603,12 +1609,14 @@ DocType: Website Settings,Sub-domain provided by erpnext.com,Pod-domene pruža e DocType: System Settings,dd-mm-yyyy,dd-mm-gggg apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,Mora imati dozvolu za pristup ovom izvještaju. apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,Molimo odaberite Minimum Password Score -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,Dodano -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.","Update samo, ne stavljajte nove rekorde." +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,Dodano +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.","Update samo, ne stavljajte nove rekorde." apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,"Dnevni događaji Digest je poslan za kalendar događanja, gdje su postavljene podsjetnici." apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,Idi na sajt DocType: Workflow State,remove,Ukloniti DocType: Email Account,If non standard port (e.g. 587),Ako ne standardni ulaz (npr. 587) +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Setup> User Dozvole Manager +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Default Adresa Template pronađeno. Molimo vas da se stvori novi iz Setup> Printing i brendiranje> Adresa Obrazac. apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,Učitaj ponovo apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,Dodajte svoj Tag Kategorije apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,Ukupno @@ -1626,16 +1634,15 @@ apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",Rezultati pret apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},Ne mogu postaviti dopuštenje za DOCTYPE : {0} i ime : {1} apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,"Dodaj u ""To Do listu""" DocType: Footer Item,Company,Preduzeće -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Molimo vas default postavljanje e-pošte iz Setup> E-mail> e-pošte apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,Dodijeljeno meni -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,Provjerite lozinku +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,Provjerite lozinku apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,Bilo je grešaka apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,Zatvoriti apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,Ne možete mijenjati docstatus 0-2 DocType: User Permission for Page and Report,Roles Permission,uloge Dopuštenje apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,Ažurirati DocType: Error Snapshot,Snapshot View,Snapshot Pogledaj -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,Molimo spremite Newsletter prije slanja +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,Molimo spremite Newsletter prije slanja apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},Opcije mora bitivaljana DOCTYPE za polje {0} je u redu {1} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,Uredi osobine DocType: Patch Log,List of patches executed,Lista zakrpa pogubljeni @@ -1643,17 +1650,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,Srednja komunikacija DocType: Website Settings,Banner HTML,HTML baner apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',Odaberite drugi način plaćanja. Razorpay ne podržava transakcije u valuti '{0}' -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,Čekanju za backup. To može potrajati nekoliko minuta do sat vremena. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,Čekanju za backup. To može potrajati nekoliko minuta do sat vremena. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,Registracija OAuth Klijent App apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""","{0} {1} Ne može biti ""{2}"". To bi trebao biti jedan od ""{3}""" -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} {1} ili +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} {1} ili apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,Prikaz ili Sakrij Desktop Icons apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,Password Update DocType: Workflow State,trash,smeće DocType: System Settings,Older backups will be automatically deleted,Stariji kopije će biti automatski obrisane DocType: Event,Leave blank to repeat always,Ostavite prazno ponoviti uvijek -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,Potvrđen +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,Potvrđen DocType: Event,Ends on,Završava DocType: Payment Gateway,Gateway,Gateway apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,Nije dovoljno dozvolu da vidite linkove @@ -1661,18 +1668,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO","Dodano HTML u <head> odjeljku web stranice, prvenstveno koristi za web stranice verifikaciju i SEO" apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,Relaps apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,Stavka ne može se dodati u svojim potomcima -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,Pokaži Ukupni rezultat +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,Pokaži Ukupni rezultat DocType: Error Snapshot,Relapses,Recidiva DocType: Address,Preferred Shipping Address,Željena Dostava Adresa DocType: Social Login Keys,Frappe Server URL,Frappe Server URL -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,Sa glavom Pismo +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,Sa glavom Pismo apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},Kreirao {0} {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,Dokument može uređivati samo korisnik apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.","Zadatak {0}, koji ste dodijelili {1}, je zatvorio /la {2}." DocType: Print Format,Show Line Breaks after Sections,Pokaži Line Breaks nakon Sekcije DocType: Blogger,Short Name,Kratki naziv apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},Strana {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).","Birate Sync opciju kao svega, to će resync sve \ čitati kao i nepročitane poruke sa servera. To može dovesti do dupliranja \ komunikacije (e-pošte)." apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,Files Size @@ -1681,7 +1688,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,blokiran DocType: Contact Us Settings,"Default: ""Contact Us""","Zadano: ""Kontaktirajte nas""" DocType: Contact,Purchase Manager,Kupovina Manager -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.","Razina 0 je za dokument na razini dozvole, višim razinama za terenske razine dozvola." DocType: Custom Script,Sample,Uzorak apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,Nekategorizirani Tagovi apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore","Ime ne smije sadržavati nikakve posebne znakove osim slova, brojeva i podcrtavanje" @@ -1704,7 +1710,7 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please up apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,Mjesec DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,ProTip: Dodaj Reference: {{ reference_doctype }} {{ reference_name }} za slanje referentni dokument apps/frappe/frappe/modules/utils.py +202,App not found,App nije pronađena -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},Ne možete kreirati {0} prema djetetu dokument: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},Ne možete kreirati {0} prema djetetu dokument: {1} DocType: Portal Settings,Custom Sidebar Menu,Custom Sidebar Menu DocType: Workflow State,pencil,Olovka apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,Chat poruke i druga obavjestenja. @@ -1714,11 +1720,11 @@ apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please ente DocType: Workflow State,hand-up,ruka-gore DocType: Blog Settings,Writers Introduction,Pisci Uvod DocType: Communication,Phone,Telefon -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,Greška pri evaluaciji e-mail upozorenja {0}. Molimo vas da popravite svoj predložak. +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,Greška pri evaluaciji e-mail upozorenja {0}. Molimo vas da popravite svoj predložak. apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,Odaberite tip dokumenta ili ulogu za početak. DocType: Contact,Passive,Pasiva DocType: Contact,Accounts Manager,Računi Manager -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,Select File Type +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,Select File Type DocType: Help Article,Knowledge Base Editor,Baza znanja Editor apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,Stranica nije pronađena DocType: DocField,Precision,Preciznost @@ -1727,7 +1733,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,Grupe DocType: Workflow State,Workflow State,Workflow država apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,redovi Dodano -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,Uspjeh! Vi ste dobri da idu 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,Uspjeh! Vi ste dobri da idu 👍 apps/frappe/frappe/www/me.html +3,My Account,Moj račun DocType: ToDo,Allocated To,Dodijeljena apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,Molimo kliknite na sljedeći link i postaviti novu lozinku @@ -1749,7 +1755,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,Dokument apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,Prijavni Id apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},Napravili ste {0} od {1} DocType: OAuth Authorization Code,OAuth Authorization Code,OAuth kod autorizacije -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,Nije dopušteno uvoziti +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,Nije dopušteno uvoziti DocType: Social Login Keys,Frappe Client Secret,Frappe Klijent Secret DocType: Deleted Document,Deleted DocType,Deleted DocType apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,Razine dozvola @@ -1757,11 +1763,11 @@ DocType: Workflow State,Warning,Upozorenje DocType: Tag Category,Tag Category,Tag Kategorija apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!","Ignoriranje Stavka {0} , jer jegrupa postoji s istim imenom !" apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,ne mogu vratiti Otkazano Dokument -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,Pomoć +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,Pomoć DocType: User,Login Before,Prijavite Prije DocType: Web Page,Insert Style,Umetnite stil apps/frappe/frappe/config/setup.py +253,Application Installer,Application Installer -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,Izvještaj ime +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,Izvještaj ime apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,Je DocType: Workflow State,info-sign,info-znak apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,Vrijednost za {0} ne može biti lista @@ -1769,9 +1775,10 @@ DocType: Currency,"How should this currency be formatted? If not set, will use s apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,Show Dozvole korisnika apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,Morate biti prijavljeni i imati sustav Manager ulogu da bi mogli pristupiti sigurnosne kopije . apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,ostali +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,

    nađeni za 'Nema rezultata

    apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,Sačuvajte prije pričvršćivanja. -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),Dodano {0} ({1}) -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},Uobičajeno tema je postavljena u {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),Dodano {0} ({1}) +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},Uobičajeno tema je postavljena u {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},Fieldtype ne mogu se mijenjati iz {0} u {1} u redu {2} apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,Prava pristupa DocType: Help Article,Intermediate,srednji @@ -1787,11 +1794,12 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,Osvježavanje... DocType: Event,Starts on,Počinje na DocType: System Settings,System Settings,Postavke sustava apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,Session Start nije uspjelo -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},Ova e-mail je poslan {0} i kopirati u {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},Ova e-mail je poslan {0} i kopirati u {1} DocType: Workflow State,th,og -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},Stvaranje nove {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Setup> User +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},Stvaranje nove {0} DocType: Email Rule,Is Spam,je spam -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},Izvještaj {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},Izvještaj {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},Otvorena {0} DocType: OAuth Client,Default Redirect URI,Uobičajeno Redirect URI DocType: Email Alert,Recipients,Primatelji @@ -1800,13 +1808,13 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,Duplikat DocType: Newsletter,Create and Send Newsletters,Kreiranje i slanje newsletter apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,Od datuma mora biti prije do danas apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,Navedite što vrijednost polja moraju biti provjereni -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added","""Parent"" označava parent tabelu u kojoj se red mora dodati" +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added","""Parent"" označava parent tabelu u kojoj se red mora dodati" DocType: Website Theme,Apply Style,Primijeni stil DocType: Feedback Request,Feedback Rating,povratne informacije Rejting apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,Podijeljeno sa DocType: Help Category,Help Articles,Članci pomoći ,Modules Setup,Podešavanja modula -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,Tip: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,Tip: DocType: Communication,Unshared,nedjeljiv apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,Modul nije pronađen DocType: User,Location,Lokacija @@ -1814,14 +1822,14 @@ apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},Obn ,Permitted Documents For User,Dopuštene Dokumenti za korisničke apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission","Morate imati ""Share"" dozvolu" DocType: Communication,Assignment Completed,Dodjela Završena -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},Bulk Edit {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},Bulk Edit {0} DocType: Email Alert Recipient,Email Alert Recipient,E-mail obavijest za primatelja apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,Ne aktivna DocType: About Us Settings,Settings for the About Us Page,Postavke za O nama Page apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,Traka postavke payment gateway apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,Odaberite Vrsta dokumenta u Preuzimanje DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,npr pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,Koristite polje za filtriranje zapisa +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,Koristite polje za filtriranje zapisa DocType: DocType,View Settings,Postavke prikaza DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll","Dodajte svoje zaposlene tako da možete upravljati lišće, troškovi i platni spisak" @@ -1831,9 +1839,9 @@ apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 charac DocType: OAuth Client,App Client ID,App ID klijenta DocType: Kanban Board,Kanban Board Name,Kanban odbor Ime DocType: Email Alert Recipient,"Expression, Optional","Expression, fakultativno" -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},Ova e-mail je poslan {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},Ova e-mail je poslan {0} DocType: DocField,Remember Last Selected Value,Ne zaboravite Zadnje izabranu vrednost -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,Molimo odaberite Document Type +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,Molimo odaberite Document Type DocType: Email Account,Check this to pull emails from your mailbox,Provjerite to povući e-pošte iz poštanskog sandučića apps/frappe/frappe/limits.py +139,click here,kliknite ovdje apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,Ne možete uređivati otkazana dokument @@ -1856,26 +1864,26 @@ DocType: Communication,Has Attachment,ima Prilog DocType: Contact,Sales User,Sales korisnika apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,Povucite i alatni za izgradnju i prilagodili Print formati. apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,proširiti -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,Set +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,Set DocType: Email Alert,Trigger Method,Trigger Način DocType: Workflow State,align-right,poravnanje-desno DocType: Auto Email Report,Email To,E-mail Da apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,Folder {0} nije prazna DocType: Page,Roles,Uloge -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,Polje {0} se ne može odabrati . +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,Polje {0} se ne može odabrati . DocType: System Settings,Session Expiry,Sjednica isteka DocType: Workflow State,ban-circle,zabrana-krug DocType: Email Flag Queue,Unread,nepročitanu DocType: Bulk Update,Desk,Pisaći sto apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,Napišite SELECT upita. Napomena rezultat nije zvao (svi podaci se šalju u jednom potezu). DocType: Email Account,Attachment Limit (MB),Prilog Limit (MB) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,Setup Auto-mail +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,Setup Auto-mail apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,Ctrl + Down -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,Ovo je top-10 zajedničkih lozinku. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,Ovo je top-10 zajedničkih lozinku. DocType: User,User Defaults,Profil Zadano apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,Stvori novo DocType: Workflow State,chevron-down,Chevron-dolje -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),E-mail ne šalju {0} (odjavljeni / invaliditetom) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),E-mail ne šalju {0} (odjavljeni / invaliditetom) DocType: Async Task,Traceback,Traceback DocType: Currency,Smallest Currency Fraction Value,Najmanja Valuta Frakcija Vrijednost apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,Dodijeliti @@ -1886,7 +1894,7 @@ DocType: User,Restrict user from this IP address only. Multiple IP addresses can DocType: Communication,From,Od DocType: Website Theme,Google Font (Heading),Google Font (tarifni) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,Odaberite grupu čvora prvi. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},Nađi {0} u {1} +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},Nađi {0} u {1} DocType: OAuth Client,Implicit,implicitan DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","Dodavanje komunikacije protiv ovog DOCTYPE (mora imati polja, ""Status"", ""Subject"")" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1903,8 +1911,10 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loadi apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.","Unesite tipke omogućiti prijavu putem Facebook , Google, GitHub ." DocType: Auto Email Report,Filter Data,filter podataka apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,Dodavanje tag -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,Molimo priložite datoteku prva. +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,Molimo priložite datoteku prva. apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator","Bilo je nekih pogrešaka postavljanje ime, kontaktirajte administratora" +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.","Izgleda da ste napisali svoje ime umjesto e-pošte. \ Molimo unesite važeću e-mail adresu, tako da se možemo vratiti." DocType: Website Slideshow Item,Website Slideshow Item,Web Slideshow artikla DocType: Portal Settings,Default Role at Time of Signup,Uobičajeno Uloga u vrijeme Signup DocType: DocType,Title Case,Naslov slučaja @@ -1912,7 +1922,7 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ",Imenovanje opcije:
    1. polje: [Naziv Polja] - Od Field
    2. naming_series: - Do Imenovanje serija (polje se zove naming_series mora biti prisutan
    3. Prompt - brz korisnik za ime
    4. [Serija] - Series by prefix (odvojeni dot); na primjer PRE. #####
    DocType: Blog Post,Email Sent,E-mail poslan DocType: DocField,Ignore XSS Filter,Zanemari XSS Filter -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,udaljen +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,udaljen apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,postavke Dropbox backup apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,Pošalji kao email DocType: Website Theme,Link Color,Link Color @@ -1933,9 +1943,9 @@ DocType: Letter Head,Letter Head Name,Naziv zaglavlja DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),Broj kolona za polje u liste ili Grid (Ukupno Kolumne bi trebao biti manji od 11) apps/frappe/frappe/config/website.py +18,User editable form on Website.,Korisnik može uređivati obliku na web. DocType: Workflow State,file,fajl -apps/frappe/frappe/www/login.html +103,Back to Login,Povratak na prijavu +apps/frappe/frappe/www/login.html +108,Back to Login,Povratak na prijavu apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,Trebate pismeno dopuštenje za preimenovanje -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,Nanesite Pravilo +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,Nanesite Pravilo DocType: User,Karma,Karma DocType: DocField,Table,Stol DocType: File,File Size,Veličina @@ -1945,7 +1955,7 @@ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Coun apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,između DocType: Async Task,Queued,Na čekanju DocType: PayPal Settings,Use Sandbox,Koristite Sandbox -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,Novi prilagođeni format za štampu +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,Novi prilagođeni format za štampu DocType: Custom DocPerm,Create,Stvoriti apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},Nevažeći filter: {0} DocType: Email Account,no failed attempts,no neuspjelih pokušaja @@ -1969,8 +1979,8 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,signal DocType: DocType,Show Print First,Pokaži Ispis Prvo apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,Ctrl + Enter da biste odgovorili -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},Napravite nove {0} -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,Novi e-pošte +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},Napravite nove {0} +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,Novi e-pošte apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),Veličina (MB) DocType: Help Article,Author,autor apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,Nastavak Slanje @@ -1980,7 +1990,7 @@ DocType: Print Settings,Monochrome,Jednobojna slika DocType: Contact,Purchase User,Kupovina korisnika DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.","Različita ""Stanja"", ovaj dokument može postojati u ""Otvoreno"", ""Na čekanju za odobrenje"", itd." apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,Ova veza je nevažeća ili istekla. Provjerite da li ste ispravno zalijepljeni. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} je uspješno odjavljeni iz ove mailing listu. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} je uspješno odjavljeni iz ove mailing listu. DocType: Web Page,Slideshow,Slideshow apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,Zadani predložak adrese ne može se izbrisati DocType: Contact,Maintenance Manager,Održavanje Manager @@ -1994,13 +2004,16 @@ apps/frappe/frappe/model/document.py +1047,This document is currently queued for apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,Datoteka '{0}' nije pronađena apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,Uklonite točki DocType: User,Change Password,Promjena lozinke -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},Nevažeći email: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},Nevažeći email: {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,Kraj događaj mora biti nakon početka apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},Nemate dozvolu da dobijete izvještaj na: {0} DocType: DocField,Allow Bulk Edit,Dozvolite Bulk Uredi DocType: Blog Post,Blog Post,Blog članak -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,Napredna pretraga +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,Napredna pretraga apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,Password Reset upute su poslani na e-mail +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.","Nivo 0 je za dozvole nivou dokumenta, \ višim nivoima za dozvole na terenu." +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,Sortiraj po DocType: Workflow,States,Države DocType: Email Alert,Attach Print,Priložiti Print apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},Predložena ime: {0} @@ -2008,7 +2021,7 @@ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,dan ,Modules,Moduli apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,Set Desktop Icons apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,plaćanje Uspjeh -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,Ne {0} mail +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,Ne {0} mail DocType: OAuth Bearer Token,Revoked,Ukinuto DocType: Web Page,Sidebar and Comments,Sidebar i Komentari apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.","Kada Izmijeniti dokument nakon Odustani i spasiti ga , on će dobiti novi broj koji jeverzija starog broja ." @@ -2016,17 +2029,17 @@ DocType: Stripe Settings,Publishable Key,objaviti Key DocType: Workflow State,circle-arrow-left,krug sa strelicom nalijevo apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,Redis cache poslužitelj nije pokrenut. Molimo kontaktirajte Administrator / Tech podršku apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,Party ime -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,Napravite novi zapis +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,Napravite novi zapis apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,Pretraživanje DocType: Currency,Fraction,Frakcija DocType: LDAP Settings,LDAP First Name Field,LDAP Ime Field -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,Izaberite neku od postojećih priloge +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,Izaberite neku od postojećih priloge DocType: Custom Field,Field Description,Opis polja apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,Ne postavljajte ime preko Prompt-a -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,E-mail Inbox +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,E-mail Inbox DocType: Auto Email Report,Filters Display,filteri Display DocType: Website Theme,Top Bar Color,Top Bar Color -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,Da li želite da se odjavite iz ove mailing liste? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,Da li želite da se odjavite iz ove mailing liste? DocType: Address,Plant,Biljka apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,Odgovori svima DocType: DocType,Setup,Podešavanje @@ -2036,8 +2049,8 @@ DocType: Workflow State,glass,staklo DocType: DocType,Timeline Field,Timeline Field DocType: Country,Time Zones,Vremenske zone apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,Mora postojati atleast pravilo jedan dozvolu. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,Kreiraj proizvode -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,Nisi apporve Dropbox Access. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,Kreiraj proizvode +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,Nisi apporve Dropbox Access. DocType: DocField,Image,Slika DocType: Workflow State,remove-sign,uklanjanje-potpisati apps/frappe/frappe/www/search.html +30,Type something in the search box to search,Tip nešto u polje za pretragu za pretragu @@ -2046,9 +2059,9 @@ DocType: Communication,Other,Drugi apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,Start novi format apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,Molimo vas da priložite datoteku DocType: Workflow State,font,krstionica -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,Ovo je top-100 zajedničku lozinku. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,Ovo je top-100 zajedničku lozinku. apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,Molimo omogućite pop-up prozora -DocType: Contact,Mobile No,Br. mobilnog telefona +DocType: User,Mobile No,Br. mobilnog telefona DocType: Communication,Text Content,tekst sadržaj DocType: Customize Form Field,Is Custom Field,Je Custom Field DocType: Workflow,"If checked, all other workflows become inactive.","Ako je označeno, svi ostali tijekovi postaju neaktivne." @@ -2063,7 +2076,7 @@ DocType: Email Flag Queue,Action,Akcija apps/frappe/frappe/www/update-password.html +111,Please enter the password,Molimo vas da unesete lozinku apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,Nije dozvoljeno da se ispis otkazan dokumentima apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,Nije vam dozvoljeno da se stvori kolona -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,Info: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,Info: DocType: Custom Field,Permission Level,Dopuštenje Razina DocType: User,Send Notifications for Transactions I Follow,Slanje obavijesti za transakcije pratim apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write","{0} : Ne mogu postaviti Podnijeti , Odustani , Izmijeniti bez zapisivanja" @@ -2081,11 +2094,11 @@ DocType: DocField,In List View,U prikazu popisa DocType: Email Account,Use TLS,Koristi TLS apps/frappe/frappe/email/smtp.py +24,Invalid login or password,Neispravno korisničko ime ili lozinka apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,Dodaj sopstveni JavaScript na obrasce. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,Sr No +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,Sr No ,Role Permissions Manager,Menadzer prava pristupa apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,Ime novog Format -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,jasno Prilog -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,Obavezno: +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,jasno Prilog +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,Obavezno: ,User Permissions Manager,Upravljanje pravima pristupa DocType: Property Setter,New value to be set,Nova vrijednost treba postaviti DocType: Email Alert,Days Before or After,Dana prije ili poslije @@ -2121,14 +2134,14 @@ apps/frappe/frappe/model/base_document.py +428,Value missing for,Vrijednost nest apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,Dodaj podređenu stavku apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: Sacuvani zapis se ne može se izbrisati. apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,backup Veličina -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,novi tip dokumenta +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,novi tip dokumenta DocType: Custom DocPerm,Read,Čitati DocType: Role Permission for Page and Report,Role Permission for Page and Report,Uloga Dozvola za Page i Izvještaj apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,Poravnajte vrijednost apps/frappe/frappe/www/update-password.html +14,Old Password,Old Password apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},Postova od {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.","Za formatiranje stupaca, daju natpise stupaca u upitu." -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,Nemate korisnički račun? Prijaviti se +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,Nemate korisnički račun? Prijaviti se apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,{0} : Ne mogu postaviti Zauzimanje Izmijeniti ako ne Submittable apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,Izmijeni prava pristupa DocType: Communication,Link DocType,link DocType @@ -2142,7 +2155,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,Dijete Tabl apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,Stranica koju tražite je nestala. Ovo bi moglo biti zato što se preselio ili postoji greška u linku. apps/frappe/frappe/www/404.html +13,Error Code: {0},Kod greške: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)","Opis za unos stranice, kao običan tekst, samo par redaka. (najviše 140 znakova)" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,Dodavanje ogranicenja korisniku +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,Dodavanje ogranicenja korisniku DocType: DocType,Name Case,Ime slučaja apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,Podijeljeno sa svima apps/frappe/frappe/model/base_document.py +423,Data missing in table,Podaci koji nedostaju u tabeli @@ -2167,7 +2180,7 @@ apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your ema can get back to you. Thanks!","Unesite svoju e-mail, kako i poruke, tako da smo \ mogu se javiti. Hvala!" apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,Ne mogu se spojiti na odlasku e-mail poslužitelju -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,Hvala Vam na Vašem interesu za pretplatu na naš ažuriranja +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,Hvala Vam na Vašem interesu za pretplatu na naš ažuriranja apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,Custom Kolona DocType: Workflow State,resize-full,resize-pun DocType: Workflow State,off,Isključen @@ -2185,10 +2198,10 @@ DocType: OAuth Bearer Token,Expires In,ističe u DocType: DocField,Allow on Submit,Dopusti pri potvrdi DocType: DocField,HTML,HTML DocType: Error Snapshot,Exception Type,Izuzetak Tip -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,Odaberi kolone +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,Odaberi kolone DocType: Web Page,Add code as <script>,Dodaj kod kao apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +7,Select Type,Odaberite tip -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +24,Please enter values for App Access Key and App Secret Key,Unesite vrijednosti za App pristup Key i App tajni ključ +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +26,Please enter values for App Access Key and App Secret Key,Unesite vrijednosti za App pristup Key i App tajni ključ DocType: Web Form,Accept Payment,Prihvati plaćanja apps/frappe/frappe/config/core.py +62,A log of request errors,Evidenciju zahtjeva grešaka DocType: Report,Letter Head,Zaglavlje @@ -2218,11 +2231,11 @@ apps/frappe/frappe/public/js/frappe/request.js +111,Please try again,Molimo poku apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 3,Opcija 3 DocType: Unhandled Email,uid,uid DocType: Workflow State,Edit,Uredi -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Permissions can be managed via Setup > Role Permissions Manager,Dozvole se može upravljati putem Setup & gt; Uloga Dozvole Manager +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +226,Permissions can be managed via Setup > Role Permissions Manager,Dozvole se može upravljati putem Setup & gt; Uloga Dozvole Manager DocType: Contact Us Settings,Pincode,Poštanski broj apps/frappe/frappe/core/page/data_import_tool/importer.py +81,Please make sure that there are no empty columns in the file.,Molimo provjerite da nema praznih stupaca u datoteci. apps/frappe/frappe/utils/oauth.py +232,Please ensure that your profile has an email address,Pobrinite se da vaš profil ima e-mail adresu -apps/frappe/frappe/public/js/frappe/model/create_new.js +282,You have unsaved changes in this form. Please save before you continue.,Vi niste spremili promjene u ovom obliku . +apps/frappe/frappe/public/js/frappe/model/create_new.js +286,You have unsaved changes in this form. Please save before you continue.,Vi niste spremili promjene u ovom obliku . apps/frappe/frappe/core/doctype/doctype/doctype.py +439,Default for {0} must be an option,Uobičajeno za {0} mora biti opcija DocType: Tag Doc Category,Tag Doc Category,Tag Doc Kategorija DocType: User,User Image,Upute slike @@ -2230,10 +2243,10 @@ apps/frappe/frappe/email/queue.py +286,Emails are muted,E-mailovi su prigušeni apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Up,Ctrl + Up DocType: Website Theme,Heading Style,Heading Style apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,će se stvoriti novi projekt s ovim imenom -apps/frappe/frappe/utils/data.py +527,1 weeks ago,prije 1 sedmica +apps/frappe/frappe/utils/data.py +528,1 weeks ago,prije 1 sedmica apps/frappe/frappe/desk/page/applications/applications.py +75,You cannot install this app,Vi ne možete instalirati ovu aplikaciju DocType: Communication,Error,Pogreška -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +89,Do not send Emails.,Ne slanje e-pošte. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +99,Do not send Emails.,Ne slanje e-pošte. DocType: DocField,Column Break,Kolona Break DocType: Event,Thursday,Četvrtak apps/frappe/frappe/utils/response.py +143,You don't have permission to access this file,Ne morate dozvolu za pristup ovom datoteku @@ -2277,25 +2290,23 @@ apps/frappe/frappe/config/desk.py +38,Private and public Notes.,Privatne i javne DocType: DocField,Datetime,Datum i vrijeme apps/frappe/frappe/templates/includes/login/login.js +174,Not a valid user,Nije važeći korisnik DocType: Workflow State,arrow-right,Strelica desno -apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,pre> {0} godina (e) DocType: Workflow State,Workflow state represents the current state of a document.,Workflow države predstavlja trenutno stanje dokument. apps/frappe/frappe/utils/oauth.py +221,Token is missing,Token nedostaje apps/frappe/frappe/utils/file_manager.py +269,Removed {0},Uklonjena {0} DocType: Company History,Highlight,Istaknuto DocType: OAuth Provider Settings,Force,sila DocType: DocField,Fold,Saviti -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +656,Ascending,Uzlazni +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Ascending,Uzlazni apps/frappe/frappe/printing/doctype/print_format/print_format.py +19,Standard Print Format cannot be updated,Standardni format ispisa ne može biti obnovljeno apps/frappe/frappe/public/js/frappe/model/model.js +537,Please specify,Navedite DocType: Communication,Bot,Bot DocType: Help Article,Help Article,Pomoć član DocType: Page,Page Name,Ime stranice -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +202,Help: Field Properties,Pomoć: Field Properties -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +134,Importing...,Uvoz ... +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +203,Help: Field Properties,Pomoć: Field Properties +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +137,Importing...,Uvoz ... apps/frappe/frappe/core/doctype/file/file.js +27,Unzip,otvoriti rajsfešlus apps/frappe/frappe/model/document.py +923,Incorrect value in row {0}: {1} must be {2} {3},Netočna vrijednost u redu {0} : {1} mora biti {2} {3} apps/frappe/frappe/workflow/doctype/workflow/workflow.py +67,Submitted Document cannot be converted back to draft. Transition row {0},Postavio Dokument se ne može pretvoriti natrag u nacrtu . -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Setup> User apps/frappe/frappe/desk/reportview.py +217,Deleting {0},Brisanje {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start.html +2,Select an existing format to edit or start a new format.,Odaberite postojeći format za uređivanje ili započeti novi format. apps/frappe/frappe/workflow/doctype/workflow/workflow.py +38,Created Custom Field {0} in {1},Napravljeno Custom Field {0} u {1} @@ -2313,12 +2324,12 @@ DocType: OAuth Provider Settings,Auto,auto DocType: Workflow State,question-sign,pitanje-prijava DocType: Email Account,Add Signature,Dodaj Potpis apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +38,Left this conversation,Ostavio ovaj razgovor -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +479,Did not set,Zar nije postavljen +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Did not set,Zar nije postavljen ,Background Jobs,Pozadina Jobs DocType: ToDo,ToDo,To do DocType: DocField,No Copy,Ne Kopirajte DocType: Workflow State,qrcode,qrcode -apps/frappe/frappe/www/login.html +29,Login with LDAP,Prijavite se LDAP +apps/frappe/frappe/www/login.html +34,Login with LDAP,Prijavite se LDAP DocType: Web Form,Breadcrumbs,Breadcrumbs apps/frappe/frappe/core/doctype/doctype/doctype.py +637,If Owner,Ako Vlasnik DocType: OAuth Authorization Code,Expiration time,vrijeme isteka @@ -2327,7 +2338,7 @@ DocType: Web Form,Show Sidebar,Pokaži Sidebar apps/frappe/frappe/website/doctype/web_form/web_form.py +128,You need to be logged in to access this {0}.,Morate biti prijavljeni da biste pristupili ovoj {0}. apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +142,Complete By,Zavrsetak do apps/frappe/frappe/templates/includes/comments/comments.py +48,{0} by {1},{0} {1} -apps/frappe/frappe/utils/password_strength.py +169,All-uppercase is almost as easy to guess as all-lowercase.,Sve-veliko je gotovo kao lako pogoditi kao i svi-mala. +apps/frappe/frappe/utils/password_strength.py +171,All-uppercase is almost as easy to guess as all-lowercase.,Sve-veliko je gotovo kao lako pogoditi kao i svi-mala. DocType: Feedback Trigger,Email Fieldname,E-mail FIELDNAME DocType: Website Settings,Top Bar Items,Top Bar Proizvodi apps/frappe/frappe/email/doctype/email_account/email_account.py +53,"Email id must be unique, Email Account is already exist \ @@ -2337,20 +2348,17 @@ DocType: Page,Yes,Da DocType: DocType,Max Attachments,Max priloga DocType: Desktop Icon,Page,Stranica apps/frappe/frappe/utils/bot.py +145,Could not find {0} in {1},nisu mogli naći {0} u {1} -apps/frappe/frappe/utils/password_strength.py +161,Names and surnames by themselves are easy to guess.,Imena i prezimena sami lako pogoditi. +apps/frappe/frappe/utils/password_strength.py +163,Names and surnames by themselves are easy to guess.,Imena i prezimena sami lako pogoditi. apps/frappe/frappe/config/website.py +93,Knowledge Base,Baza znanja DocType: Workflow State,briefcase,aktovka apps/frappe/frappe/model/base_document.py +561,Value cannot be changed for {0},Vrijednost ne može se mijenjati za {0} -apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.","Izgleda da si napisao svoje ime umjesto svog e-pošte. \ - Unesite valjanu adresu e-pošte tako da se možemo vratiti." DocType: Feedback Request,Is Manual,je ručna DocType: Workflow State,"Style represents the button color: Success - Green, Danger - Red, Inverse - Black, Primary - Dark Blue, Info - Light Blue, Warning - Orange","Stil predstavlja boju gumba: Uspjeh - zelena, opasnosti - Crvena, Inverzni - crna, Primarni - tamnoplava, info - svjetlo plava, upozorenje - Orange" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +158,No Report Loaded. Please use query-report/[Report Name] to run a report.,Ne Izvješće Loaded. Molimo koristite upita izvješće / [Prijavi Ime] pokrenuti izvješće. DocType: Workflow Transition,Workflow Transition,Tijek tranzicije apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +53,{0} months ago,prije {0} mjeseci apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,Kreirao -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +92,Dropbox Setup,Dropbox Setup +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +90,Dropbox Setup,Dropbox Setup DocType: Workflow State,resize-horizontal,resize-horizontalna DocType: Note,Content,Sadržaj apps/frappe/frappe/public/js/frappe/views/treeview.js +261,Group Node,Group Node @@ -2358,6 +2366,7 @@ DocType: Communication,Notification,obavijest DocType: Web Form,Go to this url after completing the form.,Idi na ovaj URL nakon završenog obliku. DocType: DocType,Document,Dokument apps/frappe/frappe/core/doctype/doctype/doctype.py +186,Series {0} already used in {1},Serija {0} već koristi u {1} +apps/frappe/frappe/core/page/data_import_tool/importer.py +225,Unsupported File Format,Nepodržani format datoteke DocType: DocField,Code,Šifra DocType: Workflow,"All possible Workflow States and roles of the workflow. Docstatus Options: 0 is""Saved"", 1 is ""Submitted"" and 2 is ""Cancelled""","Sve je moguće Workflow države i uloge rada. Docstatus opcije: 0 je "spremljene", 1 je "dostavljen" i 2 je "Otkazano"" DocType: Website Theme,Footer Text Color,Footer Boja teksta @@ -2382,17 +2391,17 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +45,just now,upravo sada DocType: Footer Item,Policy,politika apps/frappe/frappe/integrations/utils.py +76,{0} Settings not found,{0} Postavke nije pronađen DocType: Module Def,Module Def,Modul Def -apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,Done,Gotovo apps/frappe/frappe/core/doctype/communication/communication.js +61,Reply,Odgovoriti apps/frappe/frappe/config/core.py +22,Pages in Desk (place holders),Strane u Desk (nosioci mjesto) DocType: DocField,Collapsible Depends On,Sklopivi Ovisi On DocType: Print Settings,Allow page break inside tables,Dozvolite prijelom stranice unutar tablice DocType: Email Account,SMTP Server,SMTP Server DocType: Print Format,Print Format Help,Print Format Pomoć +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +63,Update the template and save in downloaded format before attaching.,Ažurirati predložak i sačuvati u preuzetim formatu pre postavljanja. apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +852,With Groups,s Groups DocType: DocType,Beta,beta apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +22,restored {0} as {1},obnovljena {0} kao {1} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Ako ažurirate, molimo odaberite ""Prepiši"" drugi postojeće redove neće biti izbrisani." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +71,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Ako ažurirate, molimo odaberite ""Prepiši"" drugi postojeće redove neće biti izbrisani." DocType: Event,Every Month,Svaki mjesec DocType: Letter Head,Letter Head in HTML,Zaglavlje HTML DocType: Web Form,Web Form,Web Form @@ -2415,14 +2424,14 @@ apps/frappe/frappe/public/js/frappe/socketio_client.js +51,Progress,napredak apps/frappe/frappe/public/js/frappe/form/workflow.js +32, by Role ,prema ulozi apps/frappe/frappe/public/js/frappe/form/save.js +148,Missing Fields,Polja koja nedostaju apps/frappe/frappe/core/doctype/doctype/doctype.py +176,Invalid fieldname '{0}' in autoname,Nevažeći Naziv Polja '{0}' u autoname -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Search in a document type,Traži u vrsti dokumenta -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +257,Allow field to remain editable even after submission,Dopustite da ostanu na terenu uređivati čak i nakon podnošenja +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,Search in a document type,Traži u vrsti dokumenta +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +258,Allow field to remain editable even after submission,Dopustite da ostanu na terenu uređivati čak i nakon podnošenja DocType: Custom DocPerm,Role and Level,Uloga i Level DocType: File,Thumbnail URL,Thumbnail URL apps/frappe/frappe/desk/moduleview.py +37,Custom Reports,Prilagođeni izvjestaji DocType: Website Script,Website Script,Web Skripta apps/frappe/frappe/config/setup.py +182,Customized HTML Templates for printing transactions.,Prilagođene HTML Obrasci za ispis transakcija. -apps/frappe/frappe/public/js/frappe/form/print.js +247,Orientation,orijentacija +apps/frappe/frappe/public/js/frappe/form/print.js +250,Orientation,orijentacija DocType: Workflow,Is Active,Je aktivan apps/frappe/frappe/desk/form/utils.py +91,No further records,Nema daljnjih zapisi DocType: DocField,Long Text,Dugo Tekst @@ -2446,7 +2455,6 @@ apps/frappe/frappe/templates/includes/contact.js +30,Thank you for your message, apps/frappe/frappe/public/js/frappe/views/communication.js +68,Send Read Receipt,Pošalji Pročitajte Prijem DocType: Stripe Settings,Stripe Settings,Stripe Postavke DocType: Dropbox Settings,Dropbox Setup via Site Config,Dropbox Setup preko stranice Config -apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Default Adresa Template pronađeno. Molimo vas da se stvori novi iz Setup> Printing i brendiranje> Adresa Obrazac. apps/frappe/frappe/www/login.py +64,Invalid Login Token,Invalid Token Prijava apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +48,1 hour ago,Prije 1 sat DocType: Social Login Keys,Frappe Client ID,Frappe ID klijenta @@ -2478,7 +2486,7 @@ DocType: Address Template,"

    Default Template

    {% ako email_id%} Email: {{email_id}} & lt; br & gt ; {% endif -%} " DocType: Role,Role Name,Uloga Ime -apps/frappe/frappe/website/js/website.js +379,Switch To Desk,Prebacivanje na sto +apps/frappe/frappe/website/js/website.js +376,Switch To Desk,Prebacivanje na sto apps/frappe/frappe/config/core.py +27,Script or Query reports,Skripta ili upit prenosi DocType: Workflow Document State,Workflow Document State,Workflow dokument Država apps/frappe/frappe/public/js/frappe/request.js +115,File too big,File prevelika @@ -2491,14 +2499,14 @@ apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel befor apps/frappe/frappe/www/printview.py +205,Print Format {0} is disabled,Print Format {0} je onemogućen DocType: Email Alert,Send days before or after the reference date,Pošalji dana prije ili nakon referentnog datuma DocType: User,Allow user to login only after this hour (0-24),Dopustite korisniku da se prijavi tek nakon ovoliko sati (0-24) -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Value,Vrijednost -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +166,Click here to verify,Kliknite ovdje za provjeru -apps/frappe/frappe/utils/password_strength.py +172,Predictable substitutions like '@' instead of 'a' don't help very much.,Predvidljivo zamjene kao što su "@" umjesto "a" ne pomažu puno. +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Value,Vrijednost +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +165,Click here to verify,Kliknite ovdje za provjeru +apps/frappe/frappe/utils/password_strength.py +174,Predictable substitutions like '@' instead of 'a' don't help very much.,Predvidljivo zamjene kao što su "@" umjesto "a" ne pomažu puno. apps/frappe/frappe/desk/doctype/todo/todo_list.js +22,Assigned By Me,Dodijelio drugima apps/frappe/frappe/core/doctype/doctype/doctype.py +80,Not in Developer Mode! Set in site_config.json or make 'Custom' DocType.,Ne u Developer Mode! U site_config.json ili napraviti 'Custom' DOCTYPE. DocType: Workflow State,globe,globus DocType: System Settings,dd.mm.yyyy,dd.mm.gggg -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +249,Hide field in Standard Print Format,Sakrij polju u Standard Format +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +250,Hide field in Standard Print Format,Sakrij polju u Standard Format DocType: ToDo,Priority,Prioritet DocType: Email Queue,Unsubscribe Param,Odjava Param DocType: Auto Email Report,Weekly,Tjedni @@ -2511,10 +2519,10 @@ DocType: Contact,Purchase Master Manager,Kupovina Master Manager DocType: Module Def,Module Name,Naziv modula DocType: DocType,DocType is a Table / Form in the application.,Vrsta dokumenta je Tabela / obrazac u aplikaciji. DocType: Email Account,GMail,GMail -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,{0} Report,{0} Izvještaj +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +111,{0} Report,{0} Izvještaj DocType: Communication,SMS,SMS DocType: DocType,Web View,Web View -apps/frappe/frappe/public/js/frappe/form/print.js +166,Warning: This Print Format is in old style and cannot be generated via the API.,Upozorenje: Ovaj format ispisa u starom stilu i ne može biti generiran preko API-ja. +apps/frappe/frappe/public/js/frappe/form/print.js +169,Warning: This Print Format is in old style and cannot be generated via the API.,Upozorenje: Ovaj format ispisa u starom stilu i ne može biti generiran preko API-ja. DocType: DocField,Print Width,Širina ispisa ,Setup Wizard,Čarobnjak za postavljanje DocType: User,Allow user to login only before this hour (0-24),Dopustite korisniku da se prijaviti samo prije ovoliko sati (0-24) @@ -2546,14 +2554,14 @@ apps/frappe/frappe/utils/csvutils.py +35,Invalid CSV Format,Invalid CSV format DocType: Address,Name of person or organization that this address belongs to.,Ime osobe ili organizacije kojoj ova adresa pripada. apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,Set Broj Backup DocType: DocField,Do not allow user to change after set the first time,Ne dopustiti korisniku izmjene nakon što je upisao prvi put -apps/frappe/frappe/public/js/frappe/upload.js +247,Private or Public?,Privatni ili javni? -apps/frappe/frappe/utils/data.py +535,1 year ago,prije 1 godina +apps/frappe/frappe/public/js/frappe/upload.js +251,Private or Public?,Privatni ili javni? +apps/frappe/frappe/utils/data.py +536,1 year ago,prije 1 godina DocType: Contact,Contact,Kontakt DocType: User,Third Party Authentication,Autentičnosti treće strane DocType: Website Settings,Banner is above the Top Menu Bar.,Baner je iznad gornjeg menija. DocType: Razorpay Settings,API Secret,API Secret -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +726,Export Report: ,Izvoz Izvještaj: -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +672,{0} {1} does not exist,{0} {1} ne postoji +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +853,Export Report: ,Izvoz Izvještaj: +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +674,{0} {1} does not exist,{0} {1} ne postoji DocType: Email Account,Port,luka DocType: Print Format,Arial,Arial apps/frappe/frappe/config/core.py +12,Models (building blocks) of the Application,Modeli (blokovi) prijave @@ -2585,9 +2593,9 @@ DocType: DocField,Display Depends On,Prikaz Ovisi On DocType: Web Page,Insert Code,Umetnite kod DocType: ToDo,Low,Nizak apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +697,You can add dynamic properties from the document by using Jinja templating.,Možete dodati dinamičke osobine iz dokumenta pomoću Jinja templating. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,List a document type,Popis vrstu dokumenta +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,List a document type,Popis vrstu dokumenta DocType: Event,Ref Type,Ref. Tip -apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,"If you are uploading new records, leave the ""name"" (ID) column blank.","Ako upload nove rekorde, napustiti ""ime"" (ID) kolonu prazan." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, leave the ""name"" (ID) column blank.","Ako upload nove rekorde, napustiti ""ime"" (ID) kolonu prazan." apps/frappe/frappe/config/core.py +47,Errors in Background Events,Greške u pozadini Događanja apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +399,No of Columns,Broj Kolumne DocType: Workflow State,Calendar,Kalendar @@ -2602,7 +2610,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +106,Unable to load: {0},Nije apps/frappe/frappe/config/integrations.py +28,Backup,rezerva apps/frappe/frappe/core/page/usage_info/usage_info.html +3,Expires in {0} days,Ističe u {0} dana DocType: DocField,Read Only,Read Only -apps/frappe/frappe/email/doctype/email_group/email_group.js +43,New Newsletter,Novi Newsletter +apps/frappe/frappe/email/doctype/email_group/email_group.js +45,New Newsletter,Novi Newsletter DocType: Print Settings,Send Print as PDF,Pošalji Print as PDF DocType: Web Form,Amount,Iznos DocType: Workflow Transition,Allowed,Dopušteno @@ -2616,14 +2624,14 @@ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filt apps/frappe/frappe/core/doctype/doctype/doctype.py +654,{0}: Permission at level 0 must be set before higher levels are set,{0} : Autorizacija na nivou 0 mora biti postavljena prije vecih nivoa autorizacije apps/frappe/frappe/desk/doctype/todo/todo.py +28,Assignment closed by {0},Zadatak zatvorio / la {0} DocType: Integration Request,Remote,daljinski -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +140,Calculate,Izračunaj +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Calculate,Izračunaj apps/frappe/frappe/printing/doctype/print_format/print_format.js +28,Please select DocType first,Molimo najprije odaberite DOCTYPE -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +174,Confirm Your Email,Potvrdi Vaš e-mail -apps/frappe/frappe/www/login.html +37,Or login with,Ili se prijavite sa +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +173,Confirm Your Email,Potvrdi Vaš e-mail +apps/frappe/frappe/www/login.html +42,Or login with,Ili se prijavite sa DocType: Error Snapshot,Locals,Mještani apps/frappe/frappe/desk/page/activity/activity_row.html +19,Communicated via {0} on {1}: {2},Komunicirali preko {0} na {1}: {2} apps/frappe/frappe/core/doctype/communication/comment.py +85,{0} mentioned you in a comment in {1},{0} vas je spomenuo komentaru {1} -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,npr (55 + 434) / 4 ili = Math.sin (Math.PI / 2) ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,npr (55 + 434) / 4 ili = Math.sin (Math.PI / 2) ... apps/frappe/frappe/model/naming.py +45,{0} is required,{0} je potrebno DocType: Integration Request,Integration Type,integracija Tip DocType: Newsletter,Send Attachements,Pošalji Attachements @@ -2635,10 +2643,11 @@ DocType: Web Page,Web Page,Web stranica DocType: Blog Category,Blogger,Bloger apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},'Global Search "nije dozvoljeno tipa {0} u redu {1} apps/frappe/frappe/public/js/frappe/views/treeview.js +297,View List,Prikaz liste -apps/frappe/frappe/public/js/frappe/form/control.js +685,Date must be in format: {0},Datum mora biti u formatu: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +686,Date must be in format: {0},Datum mora biti u formatu: {0} DocType: Workflow,Don't Override Status,Ne zamenjuju Status apps/frappe/frappe/www/feedback.html +90,Please give a rating.,"Molim Vas, dajte ocjenu." apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} Feedback Upit +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +26,Search term,pojam za pretragu apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +548,The First User: You,Prvo Korisnik : Vi apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +32,Select Columns,Select Columns DocType: Translation,Source Text,izvorni tekst @@ -2650,15 +2659,15 @@ apps/frappe/frappe/config/website.py +37,Single Post (article).,Single Post (čl apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +10,Reports,Izvještaji DocType: Page,No,Ne DocType: Property Setter,Set Value,Postavite vrijednost -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +245,Hide field in form,Sakrij polju u obliku -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +93,Illegal Access Token. Please try again,Ilegalni Access Token. Molimo pokušajte ponovo +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +246,Hide field in form,Sakrij polju u obliku +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +91,Illegal Access Token. Please try again,Ilegalni Access Token. Molimo pokušajte ponovo apps/frappe/frappe/public/js/frappe/desk.js +93,"The application has been updated to a new version, please refresh this page","Aplikacija je ažurirana na novu verziju, molimo vas da osvježite ovu stranicu" apps/frappe/frappe/core/doctype/communication/communication.js +35,Resend,Ponovo pošalji DocType: Feedback Trigger,Optional: The alert will be sent if this expression is true,Opcionalno: upozorenje će biti poslana ako ovaj izraz je istina DocType: Print Settings,Print with letterhead,Ispis sa zaglavljem DocType: Unhandled Email,Raw Email,Raw-mail apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,Izaberite Records za dodjelu -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +135,Importing,Uvoz +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +138,Importing,Uvoz DocType: ToDo,Assigned By,Dodijeljen od strane apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +27,You can use Customize Form to set levels on fields.,Možete koristiti Prilagodi obrazac za postavljanje razine na poljima . DocType: Custom DocPerm,Level,Nivo @@ -2690,7 +2699,7 @@ apps/frappe/frappe/core/doctype/user/user.py +229,Password Reset,Password Reset DocType: Communication,Opened,Otvoren DocType: Workflow State,chevron-left,Chevron-lijevo DocType: Communication,Sending,Slanje -apps/frappe/frappe/auth.py +228,Not allowed from this IP Address,Nije dopušteno s ove IP adrese +apps/frappe/frappe/auth.py +231,Not allowed from this IP Address,Nije dopušteno s ove IP adrese DocType: Website Slideshow,This goes above the slideshow.,To ide iznad slideshow. apps/frappe/frappe/config/setup.py +254,Install Applications.,Instaliranje programa . DocType: User,Last Name,Prezime @@ -2705,7 +2714,6 @@ DocType: Address,State,Država DocType: Workflow Action,Workflow Action,Workflow Akcija DocType: DocType,"Image Field (Must of type ""Attach Image"")",Slika Field (Must tipa "Priloži sliku") apps/frappe/frappe/utils/bot.py +43,I found these: ,Našao sam ove: -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +692,Set Sort,Set Sortiranje DocType: Event,Send an email reminder in the morning,Pošaljite email podsjetnik ujutro DocType: Blog Post,Published On,Objavljeno Dana DocType: User,Gender,Rod @@ -2723,13 +2731,15 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +30 DocType: Workflow State,warning-sign,Znak upozorenja DocType: Workflow State,User,Korisnik DocType: Website Settings,"Show title in browser window as ""Prefix - title""",Pokaži naslov u prozoru preglednika kao "prefiks - naslovom" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,text in document type,teksta u tipa dokumenta +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,text in document type,teksta u tipa dokumenta apps/frappe/frappe/handler.py +91,Logged Out,odjavio -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +236,More...,Više ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +237,More...,Više ... +DocType: System Settings,User can login using Email id or Mobile number,Korisnik može prijaviti koristeći E-mail id ili mobitela DocType: Bulk Update,Update Value,Ažurirajte vrijednost apps/frappe/frappe/core/doctype/communication/communication.js +73,Mark as {0},Označi kao {0} apps/frappe/frappe/model/rename_doc.py +25,Please select a new name to rename,Molimo odaberite novo ime za preimenovanje apps/frappe/frappe/public/js/frappe/request.js +136,Something went wrong,Nešto je pošlo po zlu +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +186,Only {0} entries shown. Please filter for more specific results.,Samo {0} unosa prikazan. Molimo vas da filter za više konkretnih rezultata. DocType: System Settings,Number Format,Broj Format DocType: Auto Email Report,Frequency,frekvencija DocType: Custom Field,Insert After,Umetni Nakon @@ -2744,8 +2754,9 @@ DocType: Workflow State,cog,vršak apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +89,Sync on Migrate,Sync na Migracija apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +64,Currently Viewing,Trenutno Pregled DocType: DocField,Default,Podrazumjevano -apps/frappe/frappe/public/js/frappe/form/link_selector.js +140,{0} added,{0} je dodao -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +133,Please save the report first,Molimo da najprije spasiti izvještaj +apps/frappe/frappe/public/js/frappe/form/link_selector.js +143,{0} added,{0} je dodao +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +209,Search for '{0}',Pretraži stranice za '{0}' +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +134,Please save the report first,Molimo da najprije spasiti izvještaj apps/frappe/frappe/email/doctype/email_group/email_group.py +42,{0} subscribers added,{0} pretplatnika dodano apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +9,Not In,Ne nalazi se u DocType: Workflow State,star,zvijezda @@ -2764,7 +2775,7 @@ DocType: Address,Office,Ured apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,Ovo Kanban Odbor će biti privatni apps/frappe/frappe/desk/moduleview.py +73,Standard Reports,Standardni Izvještaji DocType: User,Email Settings,Postavke e-pošte -apps/frappe/frappe/public/js/frappe/desk.js +345,Please Enter Your Password to Continue,Molimo vas da unesete lozinku kako Nastavi +apps/frappe/frappe/public/js/frappe/desk.js +347,Please Enter Your Password to Continue,Molimo vas da unesete lozinku kako Nastavi apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +99,Not a valid LDAP user,Nije važeći LDAP korisnik apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} nije validan uslov apps/frappe/frappe/integrations/doctype/paypal_settings/paypal_settings.py +90,Please select another payment method. PayPal does not support transactions in currency '{0}',Odaberite drugi način plaćanja. PayPal ne podržava transakcije u valuti '{0}' @@ -2785,7 +2796,7 @@ DocType: DocField,Unique,Jedinstven apps/frappe/frappe/public/js/frappe/form/quick_entry.js +97,Ctrl+enter to save,Ctrl + Enter da spasi DocType: Email Account,Service,Usluga DocType: File,File Name,Naziv datoteke -apps/frappe/frappe/core/page/data_import_tool/importer.py +349,Did not find {0} for {0} ({1}),Nije pronađeno {0} za {0} ( {1} ) +apps/frappe/frappe/core/page/data_import_tool/importer.py +365,Did not find {0} for {0} ({1}),Nije pronađeno {0} za {0} ( {1} ) apps/frappe/frappe/utils/bot.py +176,"Oops, you are not allowed to know that","Ups, nije vam dozvoljeno da zna da" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +17,Next,Sljedeći apps/frappe/frappe/config/setup.py +39,Set Permissions per User,Određivanje dopuštenja po korisniku @@ -2794,9 +2805,9 @@ apps/frappe/frappe/printing/doctype/print_format/print_format.js +26,Edit Format apps/frappe/frappe/core/doctype/user/user.py +245,Complete Registration,Kompletna Registracija apps/frappe/frappe/public/js/frappe/form/toolbar.js +189,New {0} (Ctrl+B),Novi {0} (Ctrl + B) apps/frappe/frappe/website/doctype/website_theme/website_theme.py +40,Top Bar Color and Text Color are the same. They should be have good contrast to be readable.,Top Bar u boji i teksta u boji su isti. Njih treba imati dobar kontrast da bude čitljiv. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,You can only upload upto 5000 records in one go. (may be less in some cases),Možete poslati samo upto 5000 unosa u jednom pokretu. (Mogu biti manje u nekim slučajevima) +apps/frappe/frappe/core/page/data_import_tool/exporter.py +68,You can only upload upto 5000 records in one go. (may be less in some cases),Možete poslati samo upto 5000 unosa u jednom pokretu. (Mogu biti manje u nekim slučajevima) apps/frappe/frappe/model/document.py +159,Insufficient Permission for {0},Nedovoljna Dozvola za {0} -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +763,Report was not saved (there were errors),Izvješće nije spašen (bilo pogrešaka) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +764,Report was not saved (there were errors),Izvješće nije spašen (bilo pogrešaka) apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +25,Numerically Ascending,brojčano uzlazno DocType: Print Settings,Print Style,Ispis Style apps/frappe/frappe/public/js/frappe/form/linked_with.js +51,Not Linked to any record,Nije povezano sa svaki trag @@ -2809,7 +2820,7 @@ apps/frappe/frappe/public/js/frappe/change_log.html +7,updated to {0},ažurira n DocType: User,Desktop Background,Pozadina radne površine DocType: Portal Settings,Custom Menu Items,Korisnički meni Predmeti DocType: Workflow State,chevron-right,Chevron-desno -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +214,"Change type of field. (Currently, Type change is \ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +215,"Change type of field. (Currently, Type change is \ allowed among 'Currency and Float')","Promijenite vrstu polja. (Trenutno Vrsta promjene \ dozvoljeno među 'valuta i Float')" apps/frappe/frappe/website/doctype/web_form/web_form.py +35,You need to be in developer mode to edit a Standard Web Form,Morate biti u developer modu za uređivanje standardnih web obrazac @@ -2822,12 +2833,13 @@ DocType: Web Page,Header and Description,Zaglavlja i opis apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,Potrebni su i korisničko ime i pristupna lozinka apps/frappe/frappe/model/document.py +540,Please refresh to get the latest document.,Osvježite se dobiti najnovije dokument. DocType: User,Security Settings,Podešavanja sigurnosti -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +855,Add Column,Dodaj kolonu +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +856,Add Column,Dodaj kolonu ,Desktop,Radna površina +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +727,Export Report: {0},Izvoz Izvještaj: {0} DocType: Auto Email Report,Filter Meta,Filter Meta DocType: Web Form,Text to be displayed for Link to Web Page if this form has a web page. Link route will be automatically generated based on `page_name` and `parent_website_route`,Tekst koji će biti prikazani na Link na web stranicu ako se ovaj oblik ima web stranice. Link ruta će biti automatski na osnovu `` page_name` i parent_website_route` DocType: Feedback Request,Feedback Trigger,povratne informacije Trigger -apps/frappe/frappe/public/js/frappe/form/control.js +1594,Please set {0} first,Molimo postavite {0} Prvi +apps/frappe/frappe/public/js/frappe/form/control.js +1595,Please set {0} first,Molimo postavite {0} Prvi DocType: Unhandled Email,Message-id,Message-ID DocType: Patch Log,Patch,Zakrpa DocType: Async Task,Failed,Nije uspio diff --git a/frappe/translations/ca.csv b/frappe/translations/ca.csv index 3441663521..cb7cd0ba6b 100644 --- a/frappe/translations/ca.csv +++ b/frappe/translations/ca.csv @@ -1,5 +1,5 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,Seleccioneu un camp de quantitat. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,Prem Esc per tancar +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,Prem Esc per tancar apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}","Una nova tasca, {0}, s'ha assignat a vostè per {1}. {2}" DocType: Email Queue,Email Queue records.,Registres de cua de correu electrònic. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,Post @@ -48,7 +48,7 @@ apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}","{0}, {1} Fila" apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,"Si us plau, donar-li un nom complet." apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,Error en la càrrega d'arxius. apps/frappe/frappe/model/document.py +908,Beginning with,a partir de -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,Plantilla d'importació de dades +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,Plantilla d'importació de dades apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,Pare DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.","Si està activat, la fortalesa de la contrasenya s'aplicarà en funció del valor mínim contrasenya Score. Un valor de 2 sent mig fort i 4 sent molt fort." DocType: About Us Settings,"""Team Members"" or ""Management""","""Membres de l'equip"" o ""Gestió""" @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,Prova R DocType: Auto Email Report,Monthly,Mensual DocType: Email Account,Enable Incoming,Habilita entrant apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,Perill -apps/frappe/frappe/www/login.html +19,Email Address,Adreça de correu electrònic +apps/frappe/frappe/www/login.html +22,Email Address,Adreça de correu electrònic DocType: Workflow State,th-large,th-large DocType: Communication,Unread Notification Sent,Notificació No llegit Enviat apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,No es pot exportar. Cal el rol {0} per a exportar. DocType: DocType,Is Published Field,Es publica Camp DocType: Email Group,Email Group,Grup correu electrònic DocType: Note,Seen By,Vist per -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,Not Com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,Defineix l'etiqueta de visualització per al camp +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,Not Com +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,Defineix l'etiqueta de visualització per al camp apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},Valor incorrecte: {0} ha de ser {1} {2} apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)","Canviar les propietats de camp (amagar, de només lectura, el permís etc.)" apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,Definir Frappe URL del servidor Accés de Claus Socials @@ -76,8 +76,8 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,Configura apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,Administrador de sessió DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.","Opcions de contacte, com ""Consulta comercial, Suport"" etc cadascun en una nova línia o separades per comes." apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. Descarregar -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,Insereix -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},Seleccioneu {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,Insereix +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},Seleccioneu {0} DocType: Print Settings,Classic,Clàssic DocType: Desktop Icon,Color,Color apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,Per rangs @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,Cadena de cerca LDAP DocType: Translation,Translation,traducció apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,Instal·lar DocType: Custom Script,Client,Client -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,Aquesta forma s'ha modificat després d'haver carregat +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,Aquesta forma s'ha modificat després d'haver carregat DocType: User Permission for Page and Report,User Permission for Page and Report,El permís d'usuari per Pàgina i Informe DocType: System Settings,"If not set, the currency precision will depend on number format",Si no s'estableix la precisió de divises dependrà de format de nombre -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',Buscar ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,Embed image slideshows in website pages. -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,Enviar +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,Enviar DocType: Workflow Action,Workflow Action Name,Nom de l'acció del flux de treball (Workflow) apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,DocType can not be merged DocType: Web Form Field,Fieldtype,FieldType apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,No és un fitxer zip +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,Fa> {0} any (s) apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}","Els camps obligatoris requerits en la taula {0}, {1} Fila" -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,La capitalització no ajuda molt. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,La capitalització no ajuda molt. DocType: Error Snapshot,Friendly Title,Amistós Títol DocType: Newsletter,Email Sent?,Email enviat? DocType: Authentication Log,Authentication Log,Registre d'autenticació @@ -138,7 +138,7 @@ DocType: OAuth Bearer Token,Refresh Token,actualitzar Token apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,Vostè DocType: Website Theme,lowercase,minúscules DocType: Print Format,Helvetica,Helvetica -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,El Newsletter ja s'ha enviat +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,El Newsletter ja s'ha enviat DocType: Unhandled Email,Reason,Raó apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,"Si us plau, especifiqui l'usuari" DocType: Email Unsubscribe,Email Unsubscribe,Cancel·la la subscripció de correu electrònic @@ -147,30 +147,30 @@ apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multip apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,El primer usuari es convertirà en l'Administrador del sistema (que pot canviar això més endavant). ,App Installer,Aplicació Instal·lador DocType: Workflow State,circle-arrow-up,cercle de fletxa amunt -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,Pujant ... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,Pujant ... DocType: Email Domain,Email Domain,domini de correu electrònic DocType: Workflow State,italic,itàlic apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,Per a tothom apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,{0}: No es pot establir d'importació sense Crea apps/frappe/frappe/config/desk.py +26,Event and other calendars.,Esdeveniments i altres calendaris. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,Arrossega per ordenar les columnes +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,Arrossega per ordenar les columnes apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,Amples es poden establir en píxels o%. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,Començar +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,Començar DocType: User,First Name,Nom DocType: LDAP Settings,LDAP Username Field,El camp nom d'usuari LDAP DocType: Portal Settings,Standard Sidebar Menu,Menú Barra Lateral Estàndard apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,No es pot eliminar d'Interior i Adjunts carpetes apps/frappe/frappe/config/desk.py +19,Files,Arxius apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,Permisos d'aconseguir aplicar en usuaris amb base en el rols que se'ls assigna. -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,No et permet enviar missatges de correu electrònic relacionats amb aquest document +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,No et permet enviar missatges de correu electrònic relacionats amb aquest document apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,Seleccioneu almenys 1 columna d'{0} per ordenar / grup DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,Comprovar això si està provant el pagament mitjançant l'API de Sandbox apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,No se li permet eliminar un tema web estàndar DocType: Feedback Trigger,Example,Exemple DocType: Workflow State,gift,regal -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Reqd +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Reqd apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},Incapaç de trobar adjunt {0} -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,Assignar un nivell de permisos per al camp. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,Assignar un nivell de permisos per al camp. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,No es pot treure apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,El recurs que està buscant no està disponible apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,Mostra / Amaga Mòduls @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,Visualització DocType: Email Group,Total Subscribers,Els subscriptors totals apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.","Si un paper no té accés al nivell 0, els nivells més alts llavors no tenen sentit." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,Guardar com +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,Guardar com DocType: Communication,Seen,Vist -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,Mostra més detalls +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,Mostra més detalls DocType: System Settings,Run scheduled jobs only if checked,Executar els treballs programats només si s'activa apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,només es mostrarà si s'habiliten els títols de secció apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,Arxiu @@ -240,7 +240,7 @@ apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,No es DocType: Web Form,Button Help,El botó d'ajuda DocType: Kanban Board Column,purple,porpra DocType: About Us Settings,Team Members,Membres de l'equip -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,Si us plau adjunta un fitxer o una URL +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,Si us plau adjunta un fitxer o una URL DocType: Async Task,System Manager,Administrador del sistema DocType: Custom DocPerm,Permissions,Permisos DocType: Dropbox Settings,Allow Dropbox Access,Allow Dropbox Access @@ -263,7 +263,7 @@ apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,Carregar doc DocType: Block Module,Block Module,Mòdul de bloc apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,Exportar plantilla apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,nou valor -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,No té permís per editar +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,No té permís per editar apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,Afegir una columna apps/frappe/frappe/www/contact.html +30,Your email address,La seva adreça de correu electrònic DocType: Desktop Icon,Module,Mòdul @@ -273,11 +273,11 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,és Taula DocType: Email Account,Total number of emails to sync in initial sync process ,Nombre total de missatges de correu electrònic per sincronitzar en el procés de sincronització inicial DocType: Website Settings,Set Banner from Image,Conjunt de la bandera de la Imatge -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,Cerca global +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,Cerca global DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},Una nova compte ha estat creat per a vostè en {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,Les instruccions enviades per correu electrònic -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),Introduïu correu electrònic del destinatari (s) +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),Introduïu correu electrònic del destinatari (s) DocType: Print Format,Verdana,Verdana DocType: Email Flag Queue,Email Flag Queue,Bandera de correu electrònic de la cua apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,No pot identificar obert {0}. Intentar una altra cosa. @@ -291,13 +291,13 @@ DocType: Communication,Message ID,ID de missatge DocType: Property Setter,Field Name,Nom del camp apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,sense Resultat apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,o -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,nom del mòdul ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,nom del mòdul ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,Continuar DocType: Custom Field,Fieldname,FIELDNAME DocType: Workflow State,certificate,certificat DocType: User,Tile,Rajola apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,Verificant ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,La Primera columna de dades ha d'estar en blanc. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,La Primera columna de dades ha d'estar en blanc. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,Mostra totes les versions DocType: Workflow State,Print,Impressió DocType: User,Restrict IP,Restringir IP @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,Gerent de vendes apps/frappe/frappe/www/complete_signup.html +13,One Last Step,Un últim pas apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,"Nom del tipus de document (DOCTYPE) que vols vincular a aquest camp,per exemple al Client" DocType: User,Roles Assigned,Funcions assignades -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,Cerca Ajuda +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,Cerca Ajuda DocType: Top Bar Item,Parent Label,Etiqueta de Pares apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.","La seva petició ha estat rebuda. Li contestarem en breu. Si vostè té alguna informació addicional, si us plau respongui a aquest correu." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,Els permisos es tradueixen automàticament als informes estàndard i recerques. @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,Edita Capçalera DocType: File,File URL,URL del fitxer DocType: Version,Table HTML,taula HTML -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,Afegir Subscriptors +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,Afegir Subscriptors apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,Pròxims esdeveniments per avui DocType: Email Alert Recipient,Email By Document Field,Email per camp del document apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,modernització apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},No es pot connectar: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,Una paraula de per si és fàcil d'endevinar. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,Una paraula de per si és fàcil d'endevinar. apps/frappe/frappe/www/search.html +11,Search...,Cerca... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,La fusió és només possible entre Grup-a-grup o el full de node a node-Leaf apps/frappe/frappe/utils/file_manager.py +43,Added {0},Afegit {0} apps/frappe/frappe/www/search.html +28,No matching records. Search something new,No hi ha registres coincidents. Cercar alguna cosa nova DocType: Currency,Fraction Units,Fraction Units -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} de {1} a {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} de {1} a {2} DocType: Communication,Type,Tipus +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,"Si us plau, compte de correu electrònic per defecte la configuració de configuració> Correu electrònic> compte de correu electrònic" DocType: Authentication Log,Subject,Subjecte DocType: Web Form,Amount Based On Field,Quantitat basada en el Camp apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,L'usuari és obligatori per Compartir @@ -349,10 +350,10 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0} s'ha d' apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.","Utilitzar algunes paraules, evitar frases comuns." DocType: Workflow State,plane,avió apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,Vaya. El seu pagament ha fallat. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Siestàs carregant nous registres, ""Naming Series"" és obligatori, si està present." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Siestàs carregant nous registres, ""Naming Series"" és obligatori, si està present." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,Rep alertes Avui apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,DOCTYPE només es pot canviar el nom per Administrator -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},canvi de valor de {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},canvi de valor de {0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,"Si us plau, consultar el seu correu electrònic per a la verificació" apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,La carpeta no pot estar en l'extrem del formulari @@ -364,8 +365,9 @@ DocType: Auto Email Report,No of Rows (Max 500),No de files (màx 500) DocType: Language,Language Code,Codi d'idioma apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...","La seva descàrrega s'està construint, això pot trigar uns instants ..." apps/frappe/frappe/www/feedback.html +23,Your rating: ,El teu vot: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} i {1} +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} i {1} DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents",Sempre afegiu "Projecte de" Rumb a projectes d'impressió de documents +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,El correu electrònic ha estat marcat com a correu brossa DocType: About Us Settings,Website Manager,Gestor de la Pàgina web apps/frappe/frappe/model/document.py +1048,Document Queued,document en cua DocType: Desktop Icon,List,Llista @@ -377,7 +379,7 @@ DocType: Print Settings,Send document web view link in email,Enviar document int apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,La seva opinió de document {0} es guarda correctament apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,Anterior apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,Re: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} files de {1} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} files de {1} DocType: Currency,"Sub-currency. For e.g. ""Cent""","Parts de moneda. Per exemple ""Cèntims""" apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,Seleccioneu el fitxer pujat DocType: Letter Head,Check this to make this the default letter head in all prints,Marqueu això per fer aquest cap de la carta per defecte en totes les impressions @@ -387,12 +389,11 @@ DocType: Desktop Icon,Link,Enllaç apps/frappe/frappe/utils/file_manager.py +96,No file attached,No hi ha cap arxiu adjunt DocType: Version,Version,Versió DocType: User,Fill Screen,Omplir pantalla -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","No es pot mostrar aquest informe d'arbre, a causa de dades que insuficients El més probable és que queden filtrats pels permisos." -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. Seleccioneu Arxiu -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,Edita a través Pujar -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer","Tipus de document ..., per exemple, al client" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","No es pot mostrar aquest informe d'arbre, a causa de dades que insuficients El més probable és que queden filtrats pels permisos." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. Seleccioneu Arxiu +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,Edita a través Pujar +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer","Tipus de document ..., per exemple, al client" apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,La condició '{0}' no és vàlida -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Configuració> Permisos d'usuari Administrador DocType: Workflow State,barcode,Barcode apps/frappe/frappe/config/setup.py +226,Add your own translations,Afegir les seves pròpies traduccions DocType: Country,Country Name,Nom del país @@ -411,9 +412,11 @@ DocType: Workflow State,exclamation-sign,Signe d'exclamació apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,Mostra Permisos apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,camp de línia de temps ha de ser un vincle o enllaç dinàmic apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,"Si us plau, instal leu el mòdul python dropbox" +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,Rang de dates apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,Gantt apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},Pàgina {0} de {1} DocType: About Us Settings,Introduce your company to the website visitor.,Presenta la teva empresa al visitant del lloc web. +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json","clau de xifrat no és vàlid, Si us plau, comproveu site_config.json" apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,A DocType: Kanban Board Column,darkgrey,gris fosc apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},Exitosa: {0} a {1} @@ -442,13 +445,13 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,Més DocType: Contact,Sales Manager,Gerent De Vendes apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,Canviar el nom DocType: Print Format,Format Data,Format de dades -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,Com +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,Com DocType: Customize Form Field,Customize Form Field,Personalitzar camps de formulari apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,Permetre a l'usuari DocType: OAuth Client,Grant Type,Tipus de subvenció apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,Comproveu que els documents són llegibles per un usuari apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,Utilitza % com a comodí -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?","Domini de correu electrònic no està configurat per a aquest compte, crear-ne un?" +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?","Domini de correu electrònic no està configurat per a aquest compte, crear-ne un?" DocType: User,Reset Password Key,Restabliment de contrasenya DocType: Email Account,Enable Auto Reply,Habilita resposta automàtica apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,No Vist @@ -463,13 +466,13 @@ DocType: DocType,Fields,Camps DocType: System Settings,Your organization name and address for the email footer.,El seu nom de l'organització i direcció per al peu de pàgina de correu electrònic. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,Taula Pare apps/frappe/frappe/config/desktop.py +60,Developer,Desenvolupador -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,Creat +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,Creat apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} a la fila {1} no pot tenir les dues coses URL i elements descendents apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,Root {0} cannot be deleted apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,Cap comentari encara apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,Tant doctype i Nom obligatori apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,No es pot canviar DocStatus de 1 a 0 -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,Prengui còpia de seguretat ara +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,Prengui còpia de seguretat ara apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,Benvinguda apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,Aplicacions instal·lades DocType: Communication,Open,Obert @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,De Nom complet apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},No tens accés a l'informe: {0} DocType: User,Send Welcome Email,Enviar Benvingut email apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,Carrega CSV que conté tots els permisos d'usuari en el mateix format que a Baixa. -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,Treure filtre +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,Treure filtre DocType: Address,Personal,Personal apps/frappe/frappe/config/setup.py +113,Bulk Rename,Bulk Rename DocType: Email Queue,Show as cc,Mostra com cc DocType: DocField,Heading,Títol DocType: Workflow State,resize-vertical,canviar la mida vertical -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. Pujar +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. Pujar DocType: Contact Us Settings,Introductory information for the Contact Us Page,Informació de presentació per la pàgina de contacte DocType: Web Page,CSS,CSS DocType: Workflow State,thumbs-down,thumbs-down @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,En Recerca Global DocType: Workflow State,indent-left,guió-esquerra apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,"És arriscat eliminar aquesta imatge: {0}. Si us plau, poseu-vos en contacte amb l'administrador del sistema." DocType: Currency,Currency Name,Nom moneda -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,No hi ha missatges de correu electrònic +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,No hi ha missatges de correu electrònic DocType: Report,Javascript,Javascript DocType: File,Content Hash,Hash contingut DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,Emmagatzema el JSON de les últimes versions conegudes de diferents aplicacions instal·lades. S'utilitza per mostrar notes de la versió. @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',Usuari '{0}' ja té el paper '{1}' apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,Càrrega i Sincronització apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},Compartit amb {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,Donar-se de baixa +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,Donar-se de baixa DocType: Communication,Reference Name,Referència Nom apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,Suport de xat DocType: Error Snapshot,Exception,Excepció @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,Butlletí Administrador apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,Opció 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,tots els missatges apps/frappe/frappe/config/setup.py +89,Log of error during requests.,Entrada d'error durant peticions. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} ha estat afegit al grup de correu electrònic. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,Fer arxiu (s) privada o pública? -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},Programat per enviar a {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} ha estat afegit al grup de correu electrònic. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,Fer arxiu (s) privada o pública? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},Programat per enviar a {0} DocType: Kanban Board Column,Indicator,Indicador DocType: DocShare,Everyone,Tothom DocType: Workflow State,backward,cap enrere @@ -583,11 +586,11 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,Darrera a apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,no està permès. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,Veure Subscriptors DocType: Website Theme,Background Color,Color de fons -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,"Hi ha hagut errors a l'enviar el correu electrònic. Si us plau, torna a intentar-ho." +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,"Hi ha hagut errors a l'enviar el correu electrònic. Si us plau, torna a intentar-ho." DocType: Portal Settings,Portal Settings,Característiques del portal DocType: Web Page,0 is highest,0 és el més alt apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,¿Segur que desitja tornar a vincular aquesta comunicació a {0}? -apps/frappe/frappe/www/login.html +99,Send Password,Enviar contrasenya +apps/frappe/frappe/www/login.html +104,Send Password,Enviar contrasenya apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,Adjunts apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,Vostè no té els permisos per accedir a aquest document DocType: Language,Language Name,Nom d'idioma @@ -595,28 +598,29 @@ DocType: Email Group Member,Email Group Member,Correu electrònic del Grup membr DocType: Email Alert,Value Changed,Valor Changed apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},Nom duplicat {0} {1} DocType: Web Form Field,Web Form Field,Web de camp de formulari -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,Amaga el camp en el Generador d'informes +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,Amaga el camp en el Generador d'informes apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,Edició de HTML -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,Restaurar permisos originals +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,Restaurar permisos originals DocType: Address,Shop,Botiga DocType: DocField,Button,Botó +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,{0} és ara el format d'impressió per defecte de {1} tipus de document apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,columnes arxivats DocType: Email Account,Default Outgoing,Predeterminar Sortint DocType: Workflow State,play,jugar apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,Feu clic a l'enllaç de sota per completar el seu registre i establir una nova contrasenya -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,No s'ha afegit +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,No s'ha afegit apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,No hi ha comptes de correu electrònic assignada DocType: Contact Us Settings,Contact Us Settings,Ajustaments del Contacti'ns -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,Buscant ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,Buscant ... DocType: Workflow State,text-width,text-width apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,Maximum Attachment Limit for this record reached. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,Els següents camps obligatoris han de ser omplerts:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,Els següents camps obligatoris han de ser omplerts:
    DocType: Email Alert,View Properties (via Customize Form),Veure propietats (via Personalitzar Formulari) DocType: Note Seen By,Note Seen By,Nota vist per apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,Intenta utilitzar un patró teclat ja amb més voltes DocType: Feedback Trigger,Check Communication,comprovar les comunicacions apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,Informes de Report Builder són gestionats directament pel generador d'informes. Res a fer. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,"Si us plau, comproveu la vostra adreça de correu electrònic" +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,"Si us plau, comproveu la vostra adreça de correu electrònic" apps/frappe/frappe/model/document.py +907,none of,cap de apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,Enviar-me una còpia apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,Puja Permisos d'usuari @@ -624,7 +628,7 @@ DocType: Dropbox Settings,App Secret Key,App clau secreta apps/frappe/frappe/config/website.py +7,Web Site,lloc web apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,Els elements marcats es mostraran a l'escriptori apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} no es pot establir per als tipus individuals -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,Junta Kanban {0} no existeix. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,Junta Kanban {0} no existeix. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} està veient aquest document DocType: ToDo,Assigned By Full Name,Assignat pel nom complet apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0} actualitzat @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,Fa {0} DocType: Email Account,Awaiting Password,Tot esperant la contrasenya DocType: Address,Address Line 1,Adreça Línia 1 DocType: Custom DocPerm,Role,Rol -apps/frappe/frappe/utils/data.py +429,Cent,Cèntim -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,redactar correu electrònic +apps/frappe/frappe/utils/data.py +430,Cent,Cèntim +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,redactar correu electrònic apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).","Estats de flux de treball (per exemple, Projecte, Aprovat, cancel·lat)." DocType: Print Settings,Allow Print for Draft,Permetre impressió per al projecte -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,Establir Quantitat +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,Establir Quantitat apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,Presentar aquest document per confirmar DocType: User,Unsubscribed,No subscriure apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,funcions personalitzades per a les pàgines i l'informe apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,classificació: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,No es pot trobar en UIDVALIDITY resposta d'estat IMAP +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,No es pot trobar en UIDVALIDITY resposta d'estat IMAP ,Data Import Tool,Eina d'importació de dades -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,Càrrega de fitxers si us plau esperi durant uns segons. +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,Càrrega de fitxers si us plau esperi durant uns segons. apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,Adjunta la teva imatge apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,Valors fila modificada DocType: Workflow State,Stop,Aturi @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,Camps de recerca DocType: OAuth Bearer Token,OAuth Bearer Token,OAuth Portador d'emergència apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,Cap document seleccionat DocType: Event,Event,Esdeveniment -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:","En {0}, {1} va escriure:" +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:","En {0}, {1} va escriure:" apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,No es pot eliminar de camp estàndard. Podeu ocultar la pena si vols DocType: Top Bar Item,For top bar,Per a la barra superior apps/frappe/frappe/utils/bot.py +148,Could not identify {0},No s'ha pogut identificar {0} @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,Ajusts de Propietats apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,Seleccionar usuari o DOCTYPE per començar. DocType: Web Form,Allow Print,permetre Imprimir apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,No hi ha aplicacions instal·lades -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,Marqueu el camp com obligatori +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,Marqueu el camp com obligatori DocType: Communication,Clicked,Seguit apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},No té permís per '{0}' {1} DocType: User,Google User ID,Google User ID @@ -727,7 +731,7 @@ DocType: Event,orange,taronja apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,{0} no trobat apps/frappe/frappe/config/setup.py +236,Add custom forms.,Afegir formularis personalitzats. apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} {2} en -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,presentat aquest document +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,presentat aquest document apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,El sistema ofereix moltes funcions predefinides. Podeu afegir noves funcions per establir permisos més fins. DocType: Communication,CC,CC DocType: Address,Geo,Geo @@ -739,7 +743,8 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Sele apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,Actiu apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,Insert Below DocType: Event,Blue,Blau -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,S'eliminaran totes les personalitzacions. Si us plau confirma-ho +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,S'eliminaran totes les personalitzacions. Si us plau confirma-ho +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,adreça de correu electrònic o número de mòbil DocType: Page,Page HTML,Pàgina HTML apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,alfabètic ascendent apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,Només es poden crear més nodes amb el tipus 'Grup' @@ -766,7 +771,7 @@ DocType: User,Represents a User in the system.,Representa un usuari en el sistem DocType: Communication,Label,Etiqueta apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","La tasca {0}, que va assignar a {1}, s'ha tancat." DocType: User,Modules Access,Mòduls d'Accés -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,"Si us plau, tancament aquesta finestra" +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,"Si us plau, tancament aquesta finestra" DocType: Print Format,Print Format Type,Format d'impressió Tipus DocType: Newsletter,A Lead with this Email Address should exist,Hi ha d'haver una iniciativa amb aquesta adreça de correu electrònic apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,Aplicacions de codi obert per a la Web @@ -776,18 +781,18 @@ DocType: Role Permission for Page and Report,Allow Roles,permetre Rols DocType: DocType,Hide Toolbar,Oculta la barra d'eines DocType: User,Last Active,Últim actiu DocType: Email Account,SMTP Settings for outgoing emails,Configuració SMTP per als correus sortints -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,Error al importar +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,Error al importar apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,La seva contrasenya s'ha actualitzat. Aquí està la teva nova contrasenya DocType: Email Account,Auto Reply Message,Missatge de resposta automàtica DocType: Feedback Trigger,Condition,Condició -apps/frappe/frappe/utils/data.py +521,{0} hours ago,Fa {0} hores -apps/frappe/frappe/utils/data.py +531,1 month ago,fa 1 mes +apps/frappe/frappe/utils/data.py +522,{0} hours ago,Fa {0} hores +apps/frappe/frappe/utils/data.py +532,1 month ago,fa 1 mes DocType: Contact,User ID,ID d'usuari DocType: Communication,Sent,Enviat DocType: File,Lft,LFT DocType: User,Simultaneous Sessions,sessions simultànies DocType: OAuth Client,Client Credentials,credencials del client -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,Obre un mòdul o eina +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,Obre un mòdul o eina DocType: Communication,Delivery Status,Estat de l'enviament DocType: Module Def,App Name,Nom App apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,Mida de fitxer permès és {0} MB @@ -808,11 +813,11 @@ DocType: Address,Address Type,Tipus d'adreça apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,"Nom d'usuari o contrassenya de suport no vàlids. Si us plau, rectifica i torna a intentar-ho." DocType: Email Account,Yahoo Mail,Correu De Yahoo apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,La seva subscripció expira demà. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,Desat! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,Desat! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},Actualitzat {0}: {1} DocType: DocType,User Cannot Create,L'usuari no pot crear apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,Carpeta {0} no existeix -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,Accés Dropbox està aprovat! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,Accés Dropbox està aprovat! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.","Aquests també es poden establir com a valors predeterminats per als enllaços, si no es defineix només un d'aquests registres permís." DocType: Customize Form,Enter Form Type,Introduïu el tipus de formulari apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,No hi ha registres etiquetats. @@ -820,17 +825,16 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +4 DocType: User,Send Password Update Notification,Enviar contrasenya Notificació d'actualització apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!","Permetre DOCTYPE, DOCTYPE. Vés amb compte!" apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email","Formats personalitzats per a impressió, correu electrònic" -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,Actualitzat Per Nova Versió +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,Actualitzat Per Nova Versió DocType: Custom Field,Depends On,Depèn de DocType: Event,Green,Verd DocType: Custom DocPerm,Additional Permissions,Permisos addicionals DocType: Email Account,Always use Account's Email Address as Sender,Utilitzar sempre de compte direcció de correu electrònic com a remitent apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,Inicia sessió per comentar apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,Comenceu a introduir dades per sota d'aquesta línia -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},valors modificats per {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},valors modificats per {0} DocType: Workflow State,retweet,retweet -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,Actualització de la plantilla i guardar en format CSV (Comma Valors Separats) format abans de fixar. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,Especifica el valor del camp +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,Especifica el valor del camp DocType: Report,Disabled,Deshabilitat DocType: Workflow State,eye-close,ull-close DocType: OAuth Provider Settings,OAuth Provider Settings,Configuració del proveïdor OAuth @@ -844,9 +848,9 @@ DocType: Address,Is Your Company Address,La seva adreça és l'empresa apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,Edició Fila DocType: Workflow Action,Workflow Action Master,Mestre d'accions de Flux de treball DocType: Custom Field,Field Type,Tipus de camp -apps/frappe/frappe/utils/data.py +446,only.,només. +apps/frappe/frappe/utils/data.py +447,only.,només. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,Evitar anys que s'associen amb vostè. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,Descendent +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,Descendent apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,"No vàlida del servidor de correu. Si us plau, rectifiqui i torni a intentar-ho." DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.","Per Links, introdueixi la DOCTYPE com rang. En Seleccionar ingressi llista d'opcions, cadascun en una nova línia." @@ -855,15 +859,14 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},No tens perm apps/frappe/frappe/config/desktop.py +8,Tools,Instruments apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,Evitar els últims anys. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,Nodes arrel múltiple no permesa. -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,"No compte de correu electrònic de configuració. Si us plau, creu un nou compte de correu electrònic des de la Configuració> Correu electrònic> compte de correu electrònic" DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.","Si està habilitat, els usuaris rebran una notificació cada vegada que s'inicia sessió. Si no està habilitada, els usuaris només han de ser notificats una vegada." DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.","Si se selecciona, els usuaris no podran veure el quadre de diàleg de confirmació d'accés." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,Es requereix camp ID per editar valors usant informe. Seleccioneu el camp ID amb el Selector de columna +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,Es requereix camp ID per editar valors usant informe. Seleccioneu el camp ID amb el Selector de columna apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,Comentaris apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,Confirmar apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,Col · lapsar tot apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,Instal {0}? -apps/frappe/frappe/www/login.html +71,Forgot Password?,Has oblidat la contrasenya? +apps/frappe/frappe/www/login.html +76,Forgot Password?,Has oblidat la contrasenya? DocType: System Settings,yyyy-mm-dd,aaaa-mm-dd apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,identificació apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,Error del servidor @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,Facebook User ID DocType: Workflow State,fast-forward,avanç ràpid DocType: Communication,Communication,Comunicació apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.","Comproveu columnes per seleccionar, arrossegar per establir l'ordre." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,Aquesta és una acció permanent i no es pot desfer. Voleu continuar? +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,Aquesta és una acció permanent i no es pot desfer. Voleu continuar? DocType: Event,Every Day,Cada Dia DocType: LDAP Settings,Password for Base DN,Clau per a la base DN apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,taula camp @@ -914,14 +917,14 @@ DocType: Workflow State,align-justify,align-justify DocType: User,Middle Name (Optional),Cognom 1 apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,No permès apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,Següents camps tenen valors que falten: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,No tens prou permisos per completar l'acció -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,No hi ha resultats +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,No tens prou permisos per completar l'acció +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,No hi ha resultats DocType: System Settings,Security,Seguretat -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,Programat per enviar a {0} destinataris +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,Programat per enviar a {0} destinataris apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},el nou nom de {0} a {1} DocType: Currency,**Currency** Master,** Moneda ** MestreDivisa DocType: Email Account,No of emails remaining to be synced,No hi ha missatges de correu electrònic que queden perquè se sincronitzin -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,càrrega +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,càrrega apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,"Si us plau, guardi el document abans de l'assignació" DocType: Website Settings,Address and other legal information you may want to put in the footer.,Adreça i informació legal que vols posar al peu de pàgina. DocType: Website Sidebar Item,Website Sidebar Item,Lloc web barra lateral d'articles @@ -940,7 +943,7 @@ apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App { DocType: Communication,Feedback Request,Sol·licitud de retroalimentació apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,Següents camps falten: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,característica experimental -apps/frappe/frappe/www/login.html +25,Sign in,Registra `t +apps/frappe/frappe/www/login.html +30,Sign in,Registra `t DocType: Web Page,Main Section,Secció Principal DocType: Page,Icon,Icona apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,filtrar valors entre 5 i 10 @@ -950,7 +953,7 @@ DocType: System Settings,dd/mm/yyyy,dd/mm/aaaa DocType: System Settings,Backups,Les còpies de seguretat apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,afegir contacte DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,Opcional: Enviar sempre a aquests identificadors. Cada adreça de correu electrònic en una nova fila -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,Ocultar detalls +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,Ocultar detalls DocType: Workflow State,Tasks,Tasques DocType: Event,Tuesday,Dimarts DocType: Blog Settings,Blog Settings,Ajustaments de blog @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,Data De Venciment apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,dia trimestre DocType: Social Login Keys,Google Client Secret,Google Client Secret DocType: Website Settings,Hide Footer Signup,Hide Footer Inscripció -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,cancel·lat aquest document +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,cancel·lat aquest document apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,Write a Python file in the same folder where this is saved and return column and result. DocType: DocType,Sort Field,Ordenar Camp DocType: Razorpay Settings,Razorpay Settings,ajustos Razorpay -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,Editar el filtre +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,Editar el filtre apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,El camp {0} de tipus {1} no pot ser obligatori DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User","per exemple. Si Aplicar permisos d'usuari es comproven per a l'Informe doctype però no hi ha permisos d'usuari es defineixen per l'Informe per a un usuari, llavors tots els informes es mostren a aquest usuari" apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,Amaga Gràfic DocType: System Settings,Session Expiry Mobile,Sessió de caducitat mòbil apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,Resultats de la cerca apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,Seleccioneu per descarregar: -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,Si es permet {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,Si es permet {0} DocType: Custom DocPerm,If user is the owner,Si l'usuari és el propietari ,Activity,Activitat DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Ajuda: Per enllaçar a un altre registre en el sistema, utilitzeu ""#Form/Note/[Note Name]"" com a URL. (no utilitzis ""http://"")" apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,Evitem de paraules i caràcters repetits DocType: Communication,Delayed,Retard apps/frappe/frappe/config/setup.py +128,List of backups available for download,Llista de les còpies de seguretat disponibles per a baixar -apps/frappe/frappe/www/login.html +84,Sign up,Registra't +apps/frappe/frappe/www/login.html +89,Sign up,Registra't DocType: Integration Request,Output,sortida apps/frappe/frappe/config/setup.py +220,Add fields to forms.,Afegir camps als formularis. DocType: File,rgt,RGT @@ -995,7 +998,7 @@ DocType: User Email,Email ID,Identificació de l'email DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,"Una llista dels recursos que el client d'aplicació tindrà accés a la vegada que l'usuari ho permet.
    per exemple, el projecte" DocType: Translation,Translated Text,El text traduït DocType: Contact Us Settings,Query Options,Opcions de consulta -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,Importació correcta! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,Importació correcta! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,Registres d'actualització DocType: Error Snapshot,Timestamp,Marca de temps DocType: Patch Log,Patch Log,Patch Log @@ -1009,14 +1012,14 @@ DocType: System Settings,Setup Complete,Instal·lació completa apps/frappe/frappe/config/setup.py +66,Report of all document shares,Informe de totes les accions de documents apps/frappe/frappe/www/update-password.html +18,New Password,Nova Contrasenya apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,Filtre {0} que falta -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,Ho sento! No es poden eliminar els comentaris generats automàticament +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,Ho sento! No es poden eliminar els comentaris generats automàticament DocType: Website Theme,Style using CSS,Estil amb CSS apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,Reference DocType DocType: User,System User,Usuari de Sistema DocType: Report,Is Standard,És Standard DocType: Desktop Icon,_report,_report DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field","No etiquetes HTML Codificar HTML, com <script> o simplement caràcters com <o>, ja que podrien ser utilitzats intencionadament en aquest camp" -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,Introdueix un valor per defecte +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,Introdueix un valor per defecte DocType: Website Settings,FavIcon,FavIcon apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,Almenys una resposta és obligatòria abans de sol·licitar retroalimentació DocType: Workflow State,minus-sign,signe menys @@ -1027,7 +1030,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Cu DocType: Authentication Log,Login,Iniciar Sessió DocType: Web Form,Payments,Pagaments DocType: System Settings,Enable Scheduled Jobs,Habilita Treballs programats -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,Notes: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,Notes: apps/frappe/frappe/www/message.html +19,Status: {0},Estat: {0} DocType: DocShare,Document Name,Nom del document apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,Marca com a correu brossa @@ -1041,7 +1044,7 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,Mostrar o apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,Des de la data apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,Èxit apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},Sol·licitud de retroalimentació {0} és enviada a {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,Sessió expirada +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,Sessió expirada DocType: Kanban Board Column,Kanban Board Column,Columna Junta Kanban apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,files rectes de tecles són fàcils d'endevinar DocType: Communication,Phone No.,Número de Telèfon @@ -1051,7 +1054,7 @@ DocType: Workflow State,picture,imatge apps/frappe/frappe/www/complete_signup.html +22,Complete,Completa DocType: Customize Form,Image Field,camp d'imatge DocType: Print Format,Custom HTML Help,Ajuda personalitzada HTML -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,Afegeix una nova restricció +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,Afegeix una nova restricció apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,Veure en el lloc web DocType: Workflow Transition,Next State,Següent Estat DocType: User,Block Modules,Mòduls de Bloc @@ -1066,7 +1069,7 @@ DocType: Email Account,Default Incoming,Per defecte entrant DocType: Workflow State,repeat,repetició DocType: Website Settings,Banner,Bandera DocType: Role,"If disabled, this role will be removed from all users.","Si està desactivat, aquest paper serà eliminat de tots els usuaris." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,Ajuda i Recerca +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,Ajuda i Recerca apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,Registrat però discapacitats DocType: DocType,Hide Copy,Amaga Copiar apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,Desactiveu totes les funcions @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,Esborrar apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},Nou {0} apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,No hi ha restriccions d'usuari trobats. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,Safata d'entrada per defecte -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,Fer una nova +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,Fer una nova DocType: Print Settings,PDF Page Size,Mida de pàgina PDF apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,Nota: Els camps que tenen valor buit per als criteris anteriors no es filtren. DocType: Communication,Recipient Unsubscribed,Beneficiari no subscriure DocType: Feedback Request,Is Sent,s'envia apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,Sobre -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.","Per a l'actualització, pot actualitzar només les columnes seleccionades." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.","Per a l'actualització, pot actualitzar només les columnes seleccionades." DocType: System Settings,Country,País apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,Direccions DocType: Communication,Shared,compartit @@ -1125,12 +1128,12 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",% S no és un format d'informe vàlid. Format de l'informe ha \ un dels següents% s DocType: Communication,Chat,Chat apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},El camp {0} apareix diverses vegades en les files {1} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} de {1} a {2} en fila # {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} de {1} a {2} en fila # {3} DocType: Communication,Expired,Caducat DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),Nombre de columnes per a un camp en una quadrícula (Total de columnes en una quadrícula ha de ser inferior a 11) DocType: DocType,System,Sistema DocType: Web Form,Max Attachment Size (in MB),Adjunt Mida màxima (en MB) -apps/frappe/frappe/www/login.html +88,Have an account? Login,Tens un compte? iniciar Sessió +apps/frappe/frappe/www/login.html +93,Have an account? Login,Tens un compte? iniciar Sessió apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},Desconegut d'impressió: {0} DocType: Workflow State,arrow-down,arrow-down apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,Col·lapsa @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,El paper d'encàrrec apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,Inici / Test Carpeta 2 DocType: System Settings,Ignore User Permissions If Missing,No feu cas dels permisos d'usuari Si Missing -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,"Si us plau, guardi el document abans de carregar." -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,Introduïu la contrasenya +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,"Si us plau, guardi el document abans de carregar." +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,Introduïu la contrasenya DocType: Dropbox Settings,Dropbox Access Secret,Dropbox Access Secret apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,Afegir un altre comentari apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,Edita Tipus Document -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,Cancel·lat la subscripció a Newsletter +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,Cancel·lat la subscripció a Newsletter apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,Doblar ha de venir abans d'un salt de secció apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,Darrera modificació per DocType: Workflow State,hand-down,hand-down @@ -1159,7 +1162,8 @@ DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,URI de redirec DocType: DocType,Is Submittable,És submittable apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,El valor per a un camp de verificació pot ser 0 o 1 apps/frappe/frappe/model/document.py +634,Could not find {0},No s'ha pogut trobar {0} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,Etiquetes de columna: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,Descàrrega en Excel Format d'arxiu +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,Etiquetes de columna: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,Nomenar Sèrie obligatori DocType: Social Login Keys,Facebook Client ID,Facebook Client ID DocType: Workflow State,Inbox,Safata d'entrada @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,Grup DocType: Footer Item,"Select target = ""_blank"" to open in a new page.","Select target = ""_blank"" per obrir una nova pàgina." apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,Eliminar permanentment {0}? apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,El mateix arxiu ja s'ha adjuntat a l'expedient -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,No feu cas de la codificació errors. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,No feu cas de la codificació errors. DocType: Auto Email Report,XLS,XLS DocType: Workflow State,wrench,wrench apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,No Configurat @@ -1195,24 +1199,25 @@ apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be e apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","Significat de Presentar, anul·lar, modificar" apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,Per fer apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,Qualsevol permís existent s'eliminarà / sobreescrit. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),Llavors per (opcional) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),Llavors per (opcional) DocType: File,Preview HTML,Vista prèvia HTML DocType: Desktop Icon,query-report,consulta d'informe apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},Assignat a {0}: {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,filtres guarden DocType: DocField,Percent,Per cent -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,"Si us plau, estableix els filtres" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,"Si us plau, estableix els filtres" apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,Vinculat Amb DocType: Workflow State,book,llibre DocType: Website Settings,Landing Page,La pàgina de destinació apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,Error en la seqüència de personalització apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} Nom -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.","Sol·licitud d'importació en cua. Aquest procés pot trigar uns instants, si us plau, sigui pacient." +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.","Sol·licitud d'importació en cua. Aquest procés pot trigar uns instants, si us plau, sigui pacient." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,No hi ha permisos establerts per a aquest criteri. DocType: Auto Email Report,Auto Email Report,Acte Informe correu electrònic apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,Els correus electrònics Max -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,Esborrar comentaris? +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,Esborrar comentaris? DocType: Address Template,This format is used if country specific format is not found,Aquest format s'utilitza si no hi ha el format específic de cada país +DocType: System Settings,Allow Login using Mobile Number,Permetre que inicia sessió usant Nombre Mòbil apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,"Vostè no té permisos suficients per accedir a aquest apartat. Si us plau, poseu-vos en contacte amb l'administrador per obtenir accés." DocType: Custom Field,Custom,A mida apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,Alerta de configuració de correu electrònic basat en diversos criteris. @@ -1238,7 +1243,7 @@ DocType: Workflow State,step-backward,pas enrere apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{app_title} apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,Please set Dropbox access keys in your site config apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,Eliminar aquest registre per permetre l'enviament a aquesta adreça de correu electrònic -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,"Només els camps obligatoris són necessaris per als nous registres. Pots eliminar columnes de caràcter no obligatori, si ho desitges." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,"Només els camps obligatoris són necessaris per als nous registres. Pots eliminar columnes de caràcter no obligatori, si ho desitges." apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,No es pot actualitzar esdeveniment apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,El pagament complet apps/frappe/frappe/utils/bot.py +89,show,espectacle @@ -1249,6 +1254,7 @@ DocType: Workflow State,map-marker,mapa marcador apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,Presentar un problema DocType: Event,Repeat this Event,Repetir aquest esdeveniment DocType: Contact,Maintenance User,Usuari de Manteniment +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,classificació de Preferències apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,Evitar dates i anys que s'associen amb vostè. DocType: Custom DocPerm,Amend,Esmenar DocType: File,Is Attachments Folder,És carpeta Arxius adjunts @@ -1274,9 +1280,9 @@ DocType: DocType,Route,ruta apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,configuració de la passarel·la de pagament Razorpay DocType: DocField,Name,Nom apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,S'ha superat l'espai màxim de {0} per al seu pla. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,Cerca en els documents +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,Cerca en els documents DocType: OAuth Authorization Code,Valid,vàlid -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,Obre l'enllaç +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,Obre l'enllaç apps/frappe/frappe/desk/form/load.py +46,Did not load,No carregar apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,Afegir fila DocType: Tag Category,Doctypes,doctypes @@ -1291,7 +1297,7 @@ DocType: Workflow State,align-center,alinear-centre DocType: Feedback Request,Is Feedback request triggered manually ?,Es sol·licitud de comentaris activat manualment? apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,Pot escriure apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.","Alguns documents, com una factura, no haurien de canviar un cop final. L'estat final d'aquests documents es diu Enviat. Podeu restringir quins rols poden Submit." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,No està autoritzat a exportar aquest informe +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,No està autoritzat a exportar aquest informe apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,1 element seleccionat DocType: Newsletter,Test Email Address,Adreça de correu electrònic de prova DocType: ToDo,Sender,Remitent @@ -1330,7 +1336,7 @@ apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,files apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} no trobat DocType: Communication,Attachment Removed,fixació retirats apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,En els últims anys són fàcils d'endevinar. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,Mostrar una descripció sota del camp +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,Mostrar una descripció sota del camp DocType: DocType,ASC,ASC DocType: Workflow State,align-left,alinear-esquerra DocType: User,Defaults,Predeterminats @@ -1341,7 +1347,7 @@ DocType: Dynamic Link,Link Title,link Títol DocType: Workflow State,fast-backward,fast-backward DocType: DocShare,DocShare,DocShare DocType: Event,Friday,Divendres -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,Edita a pàgina completa +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,Edita a pàgina completa DocType: Authentication Log,User Details,Dades de l'usuari DocType: Report,Add Total Row,Afegir total de Fila apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,Per exemple si es cancel·la i enmendáis INV004 es convertirà en un nou document INV004-1. Això l'ajuda a mantenir un registre de cada esmena. @@ -1359,8 +1365,8 @@ For e.g. 1 USD = 100 Cent","1 moneda = [?] Fracció Per exemple, 1 USD = 100 Cent" apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour","Hi ha massa usuaris es van inscriure recentment, pel que el registre està desactivat. Si us plau, intenti tornar a una hora" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,Afegir nova regla de permís -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,Podeu utilitzar comodins % -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Només extensions d'imatge (.gif, .jpg, .jpeg, .tiff, .png, .svg) permesos" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,Podeu utilitzar comodins % +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Només extensions d'imatge (.gif, .jpg, .jpeg, .tiff, .png, .svg) permesos" DocType: DocType,Database Engine,motor de base DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box","Els camps separats per coma (,) s'inclouran en el "Cercar per" llista de quadre de diàleg Cerca" apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,Si us plau Duplicar aquest tema Pàgina web per personalitzar. @@ -1368,10 +1374,10 @@ DocType: DocField,Text Editor,Editor de text apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,Configuració de pàgina sobre nosaltres. apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,Edició de HTML personalitzat DocType: Error Snapshot,Error Snapshot,Instantània d'error -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,En +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,En DocType: Email Alert,Value Change,Canvi de valor DocType: Standard Reply,Standard Reply,Resposta predefinida -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,Ample de la caixa d'entrada +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,Ample de la caixa d'entrada DocType: Address,Subsidiary,Filial DocType: System Settings,In Hours,En Hores apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,De carta @@ -1386,13 +1392,12 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,Convida com usuari apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,Seleccionar adjunts apps/frappe/frappe/model/naming.py +95, for {0},per {0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,"Hi va haver errors. Si us plau, informe d'això." +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,"Hi va haver errors. Si us plau, informe d'això." apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,No està permès imprimir aquest document apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,"Si us plau, estableix el valor en la taula de filtres Filtre d'informe." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,Carregant Informe +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,Carregant Informe apps/frappe/frappe/limits.py +72,Your subscription will expire today.,La seva subscripció expira avui. DocType: Page,Standard,Estàndard -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,Troba {0} en apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,Adjuntar Arxiu apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,Contrasenya Notificació d'actualització apps/frappe/frappe/desk/page/backups/backups.html +13,Size,Mida @@ -1403,9 +1408,9 @@ DocType: Deleted Document,New Name,Nou Nom DocType: Communication,Email Status,Estat de correu electrònic apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,"Si us plau, guardi el document abans de treure l'assignació" apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,Inseriu sobre -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,noms i cognoms comuns són fàcils d'endevinar. +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,noms i cognoms comuns són fàcils d'endevinar. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,Esborrany -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,Això és similar a una clau d'ús comú. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,Això és similar a una clau d'ús comú. DocType: User,Female,Dona DocType: Print Settings,Modern,Modern apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,Resultats de la cerca @@ -1413,7 +1418,7 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,No Saved DocType: Communication,Replied,Respost DocType: Newsletter,Test,Prova DocType: Custom Field,Default Value,Valor per defecte -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,Verificar +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,Verificar DocType: Workflow Document State,Update Field,Actualitzar camps apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},Error en la validació de {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,Extensions Regionals @@ -1426,7 +1431,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,Zero significa enviar els registres actualitzats en qualsevol moment apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,Instal·lació completa DocType: Workflow State,asterisk,asterisc -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,"Si us plau, no canvïis les capçaleres de la plantilla." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,"Si us plau, no canvïis les capçaleres de la plantilla." DocType: Communication,Linked,Vinculat apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},Introduïu el nom del nou {0} DocType: User,Frappe User ID,Frappe ID d'usuari @@ -1435,9 +1440,9 @@ DocType: Workflow State,shopping-cart,Cistella de la compra apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,setmana DocType: Social Login Keys,Google,Google DocType: Email Domain,Example Email Address,Exemple Adreça de correu electrònic -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,Més Utilitzades -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,Donar-se de baixa de Newsletter -apps/frappe/frappe/www/login.html +96,Forgot Password,Has oblidat la contrasenya +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,Més Utilitzades +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,Donar-se de baixa de Newsletter +apps/frappe/frappe/www/login.html +101,Forgot Password,Has oblidat la contrasenya DocType: Dropbox Settings,Backup Frequency,Freqüència de còpia de seguretat DocType: Workflow State,Inverse,Invers DocType: DocField,User permissions should not apply for this Link,Els permisos d'usuaris no haurien de sol·licitar aquest enllaç @@ -1448,9 +1453,9 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Nu apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,Navegador no compatible apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,falta informació DocType: Custom DocPerm,Cancel,Cancel·la -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,Afegir a escriptori +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,Afegir a escriptori apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,Arxiu {0} no existeix -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,Deixar en blanc per als nous registres +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,Deixar en blanc per als nous registres apps/frappe/frappe/config/website.py +63,List of themes for Website.,Llista de temes per a la pàgina web. apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,S'ha actualitzat correctament DocType: Authentication Log,Logout,Tancar sessió @@ -1463,7 +1468,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a DocType: Currency,Symbol,Símbol apps/frappe/frappe/model/base_document.py +535,Row #{0}:,Fila # {0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,S'ha enviat una nova contrassenya per correu electrònic -apps/frappe/frappe/auth.py +242,Login not allowed at this time,Login no permès en aquest moment +apps/frappe/frappe/auth.py +245,Login not allowed at this time,Login no permès en aquest moment DocType: Email Account,Email Sync Option,Sincronitzar correu Opció DocType: Async Task,Runtime,Temps d'execució DocType: Contact Us Settings,Introduction,Introducció @@ -1478,7 +1483,7 @@ apps/frappe/frappe/config/setup.py +240,Custom Tags,Les etiquetes personalitzade apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,Encara no hi ha aplicacions coincidents trobats DocType: Communication,Submitted,Enviat DocType: System Settings,Email Footer Address,Email peu de pàgina -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,taula s'actualitza +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,taula s'actualitza DocType: Communication,Timeline DocType,DOCTYPE línia de temps DocType: DocField,Text,Text apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,Standard respon a les preguntes comuns. @@ -1488,7 +1493,7 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by DocType: Footer Item,Footer Item,Peu de pàgina de l'article ,Download Backups,Descàrrega Backups apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,Inici / Carpeta Prova 1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.","No actualitzar, però inserir nous registres." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.","No actualitzar, però inserir nous registres." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,Assignar a mi apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,Edita la carpeta DocType: DocField,Dynamic Link,Enllaç Dinàmic @@ -1501,9 +1506,10 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,Ajuda Ràpida per Establir permisos DocType: Tag Doc Category,Doctype to Assign Tags,Doctype per assignar etiquetes apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,Mostrar recaigudes +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,El correu electrònic ha estat traslladat a les escombraries DocType: Report,Report Builder,Generador d'informes DocType: Async Task,Task Name,Nom de tasca -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.","La seva sessió ha expirat, si us plau entra de nou per continuar." +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.","La seva sessió ha expirat, si us plau entra de nou per continuar." DocType: Communication,Workflow,Workflow apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},En cua per còpia de seguretat i eliminar {0} DocType: Workflow State,Upload,Pujar @@ -1526,7 +1532,7 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18",apareixerà aquest camp només si el nom del camp definit aquí té valor o les regles són veritables (exemples): eval myfield: doc.myfield == 'La meva Valor' eval: doc.age> 18 -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,avui +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,avui apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).","Un cop establert, els usuaris només tindran accés als documents (per exemple. Blog) on hi hagil'enllaç (per exemple. Blogger)." DocType: Error Log,Log of Scheduler Errors,Registre d'errors de planificació DocType: User,Bio,Bio @@ -1540,7 +1546,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,Suprimit DocType: Workflow State,adjust,ajustar DocType: Web Form,Sidebar Settings,Configuració de la barra lateral -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,

    No hi ha resultats per a 'resultats

    DocType: Website Settings,Disable Customer Signup link in Login page,Desactivar l'enllaç d'inscripció del client a la pàgina d'Inici de sessió apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,Assignat a / Propietari DocType: Workflow State,arrow-left,fletxa-esquerra @@ -1561,8 +1566,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,Mostra títols de les seccions DocType: Bulk Update,Limit,límit apps/frappe/frappe/www/printview.py +219,No template found at path: {0},No es troba la plantillaen a : {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,Presentar després d'importar. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,No compte de correu electrònic +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,Presentar després d'importar. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,No compte de correu electrònic DocType: Communication,Cancelled,Cancel·lat DocType: Standard Reply,Standard Reply Help,Respondre estàndard d'Ajuda DocType: Blogger,Avatar,Avatar @@ -1571,13 +1576,13 @@ DocType: DocType,Has Web View,Té Web apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores","El nom del tipus de document ha de començar amb una lletra i només pot consistir en lletres, nombres, espais i guions baixos" DocType: Communication,Spam,Correu brossa DocType: Integration Request,Integration Request,Sol·licitud d'integració -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,Estimat +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,Estimat DocType: Contact,Accounts User,Comptes d'usuari DocType: Web Page,HTML for header section. Optional,HTML for header section. Opcional apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,Aquesta característica és nou i encara experimental apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,Màxim {0} files permeses DocType: Email Unsubscribe,Global Unsubscribe,Global Donar-se de baixa -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,Aquesta és una contrasenya molt comú. +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,Aquesta és una contrasenya molt comú. apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,Veure DocType: Communication,Assigned,Assignat DocType: Print Format,Js,js @@ -1585,13 +1590,14 @@ apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Form apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,patrons de teclat curts són fàcils d'endevinar DocType: Portal Settings,Portal Menu,menú portal apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,Longitud de {0} ha d'estar entre 1 i 1000 -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,Cerca de res +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,Cerca de res DocType: DocField,Print Hide,Imprimir Amaga apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,Introduir valor DocType: Workflow State,tint,tint DocType: Web Page,Style,Estil apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,per exemple: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} comentaris +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,"No compte de correu electrònic de configuració. Si us plau, creu un nou compte de correu electrònic des de la Configuració> Correu electrònic> compte de correu electrònic" apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,Seleccioneu una categoria ... DocType: Customize Form Field,Label and Type,Etiqueta i Tipus DocType: Workflow State,forward,endavant @@ -1603,12 +1609,14 @@ DocType: Website Settings,Sub-domain provided by erpnext.com,Sub-domini proporci DocType: System Settings,dd-mm-yyyy,dd-mm-aaaa apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,Ha de tenir informe de permís per accedir a aquest informe. apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,Seleccioneu Contrasenya puntuació mínima -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,Afegit -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.","Actualitzar només, no inserir nous registres." +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,Afegit +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.","Actualitzar només, no inserir nous registres." apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,Resum diari d'esdeveniments s'envia per a esdeveniments de calendari en el qual es configura recordatoris. apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,Veure Lloc Web DocType: Workflow State,remove,Treure DocType: Email Account,If non standard port (e.g. 587),If non standard port (e.g. 587) +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Configuració> Permisos d'usuari Administrador +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,"No s'ha trobat la plantilla d'adreces per defecte. Si us plau, crear una nova des Configuració> Premsa i Branding> plantilla de direcció." apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,Recarregar apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,Afegir les seves pròpies etiquetes Categories apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,Total @@ -1626,16 +1634,15 @@ apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",Resultats de l apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},No es pot establir el permís per DOCTYPE: {0} i Nom: {1} apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,Afegir a la llista de coses per fer DocType: Footer Item,Company,Empresa -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,"Si us plau, compte de correu electrònic per defecte la configuració de configuració> Correu electrònic> compte de correu electrònic" apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,Assignat a mi -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,Verificar Contrasenya +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,Verificar Contrasenya apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,Hi van haver errors apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,Close apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,No es pot canviar DocStatus de 0 a 2 DocType: User Permission for Page and Report,Roles Permission,funcions de permisos apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,Actualització DocType: Error Snapshot,Snapshot View,Instantània de vista -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,"Si us plau, guardi el butlletí abans d'enviar-" +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,"Si us plau, guardi el butlletí abans d'enviar-" apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},Les opcions han de ser un tipus de document vàlid per al camp {0} a la fila {1} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,Edita les propietats DocType: Patch Log,List of patches executed,Llista de pegats executat @@ -1643,17 +1650,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,Mitjà Comunicació DocType: Website Settings,Banner HTML,Banner HTML apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',Si us plau seleccioneu un altre mètode de pagament. Razorpay no admet transaccions en moneda '{0}' -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,En cua per còpia de seguretat. Es pot prendre un parell de minuts a una hora. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,En cua per còpia de seguretat. Es pot prendre un parell de minuts a una hora. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,Register OAuth client d'aplicació apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""","{0} {1} no pot ser ""{2}"". Ha de ser un de ""{3}""" -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} o {1} +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} o {1} apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,Mostra o oculta les icones de l'escriptori apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,Actualitzar Contrasenya DocType: Workflow State,trash,escombraries DocType: System Settings,Older backups will be automatically deleted,còpies de seguretat anteriors s'eliminaran de forma automàtica DocType: Event,Leave blank to repeat always,Deixar en blanc per repetir sempre -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,Confirmat +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,Confirmat DocType: Event,Ends on,Finalitza en DocType: Payment Gateway,Gateway,Porta d'enllaç apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,No hi ha prou permís per veure enllaços @@ -1661,18 +1668,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO","HTML afegit a la secció <head> de la pàgina web, s'utilitza sobretot per a la verificació del web i SEO" apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,Recaiguda apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,L'article no es pot afegir als seus propis descendents -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,Mostra totals +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,Mostra totals DocType: Error Snapshot,Relapses,Les recaigudes DocType: Address,Preferred Shipping Address,Adreça d'enviament preferida DocType: Social Login Keys,Frappe Server URL,URL del servidor frappe -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,Amb el cap de la lletra +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,Amb el cap de la lletra apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} creat aquest {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,Document és només editable pels usuaris de paper apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.","La tasca {0}, que va assignar a {1}, ha estat tancat per {2}." DocType: Print Format,Show Line Breaks after Sections,Mostra salts de línia després de les Seccions DocType: Blogger,Short Name,Nom curt apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},Pàgina {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).","Que està seleccionant l'opció de sincronització com tot, es torna a sincronitzar tots els \ llegir, així com els missatges no llegits des del servidor. Això també pot causar la duplicació \ de comunicació (e-mails)." apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,Mida d'arxius @@ -1681,7 +1688,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,obstruït DocType: Contact Us Settings,"Default: ""Contact Us""","""Contacte"" predeterminat" DocType: Contact,Purchase Manager,Gerent de Compres -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.","El nivell 0 és per als permisos de nivell de document, els nivells més alts per als permisos de nivell de camp." DocType: Custom Script,Sample,Mostra apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,sense categoria Etiquetes apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore","Nom d'usuari no ha de contenir caràcters especials que no siguin lletres, nombres i guió baix" @@ -1704,7 +1710,7 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please up apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,Mes DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,Protip: Afegeix Reference: {{ reference_doctype }} {{ reference_name }} enviar referència del document apps/frappe/frappe/modules/utils.py +202,App not found,App not found -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},No es pot crear un {0} en contra d'un document secundari: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},No es pot crear un {0} en contra d'un document secundari: {1} DocType: Portal Settings,Custom Sidebar Menu,Menú d'encàrrec de la barra lateral DocType: Workflow State,pencil,llapis apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,Missatges de xat i altres notificacions. @@ -1714,11 +1720,11 @@ apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please ente DocType: Workflow State,hand-up,hand-up DocType: Blog Settings,Writers Introduction,Escriptors Introducció DocType: Communication,Phone,Telèfon -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,"Error en avaluar Alerta {0}. Si us plau, corregeixi la seva plantilla." +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,"Error en avaluar Alerta {0}. Si us plau, corregeixi la seva plantilla." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,Seleccionar el tipus de document o paper per començar. DocType: Contact,Passive,Passiu DocType: Contact,Accounts Manager,Gerent de Comptes -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,Seleccioneu el tipus de fitxer +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,Seleccioneu el tipus de fitxer DocType: Help Article,Knowledge Base Editor,Coneixement Base Editor apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,Pàgina no trobada DocType: DocField,Precision,Precisió @@ -1727,7 +1733,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,Grups DocType: Workflow State,Workflow State,Estat de flux de treball (workflow) apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,Afegit files -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,Èxit! Que són bons per anar 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,Èxit! Que són bons per anar 👍 apps/frappe/frappe/www/me.html +3,My Account,El meu compte DocType: ToDo,Allocated To,Assignats a apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,"Si us plau, feu clic al següent enllaç per configurar la nova contrasenya" @@ -1749,7 +1755,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,Estat del apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,Entrada Aneu apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},Vostè ha fet {0} de {1} DocType: OAuth Authorization Code,OAuth Authorization Code,Codi d'autorització OAuth -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,No es permet importar +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,No es permet importar DocType: Social Login Keys,Frappe Client Secret,Frappe secret de client DocType: Deleted Document,Deleted DocType,dOCTYPE eliminat apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,Nivells de permisos @@ -1757,11 +1763,11 @@ DocType: Workflow State,Warning,Advertència DocType: Tag Category,Tag Category,tag Categoria apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!","S'ignorarà l'article {0}, perquè hi ha un grup amb el mateix nom!" apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,No es pot restaurar document anul·lat -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,Ajuda +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,Ajuda DocType: User,Login Before,Identifica't abans DocType: Web Page,Insert Style,Inserir Estil apps/frappe/frappe/config/setup.py +253,Application Installer,Instal·lador d'aplicacions -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,Nou nom d'Informe +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,Nou nom d'Informe apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,És DocType: Workflow State,info-sign,info-signe apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,Valor {0} no pot ser una llista @@ -1769,9 +1775,10 @@ DocType: Currency,"How should this currency be formatted? If not set, will use s apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,Mostrar permisos d'usuari apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,Has d'estar connectat i tenir l'Administrador del sistema de funcions per poder accedir a les còpies de seguretat. apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,restant +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,

    No hi ha resultats per a 'resultats

    apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,"Si us plau, guardi abans de connectar." -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),Afegit {0} ({1}) -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},Tema per defecte es troba en {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),Afegit {0} ({1}) +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},Tema per defecte es troba en {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},FieldType no es pot canviar de {0} a {1} a la fila {2} apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,Permisos de rol DocType: Help Article,Intermediate,intermedi @@ -1787,11 +1794,12 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,Actualitzant ... DocType: Event,Starts on,Comença en DocType: System Settings,System Settings,Configuració del sistema apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,Inici de Sessió Error -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},Aquest correu electrònic va ser enviat a {0} i copiat a {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},Aquest correu electrònic va ser enviat a {0} i copiat a {1} DocType: Workflow State,th,th -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},Crear un nou {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Configuració> Usuari +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},Crear un nou {0} DocType: Email Rule,Is Spam,és spam -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},Informe {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},Informe {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},Obrir {0} DocType: OAuth Client,Default Redirect URI,Defecte URI de redireccionament DocType: Email Alert,Recipients,Destinataris @@ -1800,13 +1808,13 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,Duplicar DocType: Newsletter,Create and Send Newsletters,Crear i enviar butlletins de notícies apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,A partir de la data ha de ser abans Per Data apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,Si us plau especificar quin valor del camp ha de ser verificat -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added","""Pare"" es refereix a la taula principal en la qual cal afegir aquesta fila" +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added","""Pare"" es refereix a la taula principal en la qual cal afegir aquesta fila" DocType: Website Theme,Apply Style,Aplicar Estil DocType: Feedback Request,Feedback Rating,grau de la regeneració apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,Compartit Amb DocType: Help Category,Help Articles,Ajuda a les persones ,Modules Setup,Mòduls d'instal·lació -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,Tipus: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,Tipus: DocType: Communication,Unshared,incompartible apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,Mòdul no trobat DocType: User,Location,Ubicació @@ -1814,14 +1822,14 @@ apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},Ren ,Permitted Documents For User,Documents permesos Per Usuari apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission","Vostè necessita tenir el permís ""Compartir""" DocType: Communication,Assignment Completed,assignació Completat -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},Edita granel {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},Edita granel {0} DocType: Email Alert Recipient,Email Alert Recipient,Receptor d'Alerta de correu electrònic apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,No actiu DocType: About Us Settings,Settings for the About Us Page,Configuració de la pàgina Qui som apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,configuració de la passarel·la de pagament de la ratlla apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,Seleccionar tipus de document per descarregar DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,per exemple pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,Utilitzeu el camp per filtrar registres +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,Utilitzeu el camp per filtrar registres DocType: DocType,View Settings,veure configuració DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll","Afegir els seus empleats perquè pugui administrar fulles, i les despeses de nòmina" @@ -1831,9 +1839,9 @@ apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 charac DocType: OAuth Client,App Client ID,App ID de client DocType: Kanban Board,Kanban Board Name,Nom del Fòrum Kanban DocType: Email Alert Recipient,"Expression, Optional","Expressió, opcional" -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},Aquest correu electrònic va ser enviat a {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},Aquest correu electrònic va ser enviat a {0} DocType: DocField,Remember Last Selected Value,Recordeu que l'últim valor seleccionat -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,Seleccioneu Tipus de document +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,Seleccioneu Tipus de document DocType: Email Account,Check this to pull emails from your mailbox,Selecciona perenviar correus electrònics de la seva bústia de correu apps/frappe/frappe/limits.py +139,click here,clica aquí apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,No es pot editar document anul·lat @@ -1856,26 +1864,26 @@ DocType: Communication,Has Attachment,té fitxers adjunts DocType: Contact,Sales User,Usuari de vendes apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,Arrossegar i eines Separar per construir i personalitzar formats d'impressió. apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,Expandir -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,Setembre +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,Setembre DocType: Email Alert,Trigger Method,Mètode d'activació DocType: Workflow State,align-right,alinear a la dreta DocType: Auto Email Report,Email To,Destinatari apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,Carpeta {0} no està buit DocType: Page,Roles,Rols -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,El camp {0} no es pot seleccionar. +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,El camp {0} no es pot seleccionar. DocType: System Settings,Session Expiry,Caducitat Sessió DocType: Workflow State,ban-circle,ban-cercle DocType: Email Flag Queue,Unread,no llegit DocType: Bulk Update,Desk,Escriptori apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,Write a SELECT query. Note result is not paged (all data is sent in one go). DocType: Email Account,Attachment Limit (MB),Límit Adjunt (MB) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,Configuració automàtica de correu electrònic +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,Configuració automàtica de correu electrònic apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,Ctrl + A baix -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,Es tracta d'una contrasenya comuna entre els 10 primers. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,Es tracta d'una contrasenya comuna entre els 10 primers. DocType: User,User Defaults,La configuració d'usuari apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,Crear nou DocType: Workflow State,chevron-down,Chevron-down -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),El correu electrònic no enviat a {0} (donat de baixa / desactivat) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),El correu electrònic no enviat a {0} (donat de baixa / desactivat) DocType: Async Task,Traceback,Rastrejar DocType: Currency,Smallest Currency Fraction Value,Més petita moneda Valor Fracció apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,Assignar a @@ -1886,7 +1894,7 @@ DocType: User,Restrict user from this IP address only. Multiple IP addresses can DocType: Communication,From,Des DocType: Website Theme,Google Font (Heading),Google Font (Títol) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,Seleccioneu un node de grup primer. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},Troba {0} a {1} +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},Troba {0} a {1} DocType: OAuth Client,Implicit,implícit DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","Annexar com la comunicació en contra d'aquest tipus de document (ha de tenir camps, ""Estat"", ""Assumpte"")" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1903,8 +1911,10 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loadi apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.","Introduïu les claus per permetre inici de sessió a través de Facebook, Google, GitHub." DocType: Auto Email Report,Filter Data,Filtrar dades apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,Afegir una etiqueta -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,Si us plau adjuntar un arxiu primer. +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,Si us plau adjuntar un arxiu primer. apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator","Hi havia alguns errors de configuració del nom, si us plau poseu-vos en contacte amb l'administrador" +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.","Sembla que han escrit el seu nom en lloc del seu correu electrònic. \ Si us plau, introdueixi una adreça vàlida de correu electrònic perquè puguem tornar." DocType: Website Slideshow Item,Website Slideshow Item,Website Slideshow Item DocType: Portal Settings,Default Role at Time of Signup,El paper per defecte en el moment de la Inscripció DocType: DocType,Title Case,Títol del Cas @@ -1912,7 +1922,7 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ",Opcions de nomenclatura:
    1. camp: [nom del camp] - Per Camp
    2. naming_series: - En nomenar la sèrie (camp anomenat naming_series han d'estar presents
    3. Preguntar - Sol·licitar a l'usuari un nom
    4. [Sèrie] - Sèrie pel prefix (separats per un punt); per exemple PRE. #####
    DocType: Blog Post,Email Sent,Correu electrònic enviat DocType: DocField,Ignore XSS Filter,Ignorar filtre XSS -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,eliminat +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,eliminat apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,la configuració de còpia de seguretat de Dropbox apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,Enviar com a correu electrònic DocType: Website Theme,Link Color,Enllaç color @@ -1933,9 +1943,9 @@ DocType: Letter Head,Letter Head Name,Nom Carta Head DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),Nombre de columnes per a un camp en una vista de llista o una quadrícula (Columnes total ha de ser inferior a 11) apps/frappe/frappe/config/website.py +18,User editable form on Website.,Formulari d'edició d'Usuari en el Lloc Web. DocType: Workflow State,file,Expedient -apps/frappe/frappe/www/login.html +103,Back to Login,Tornar a inici +apps/frappe/frappe/www/login.html +108,Back to Login,Tornar a inici apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,Cal el permís d'escriptura per canviar el nom -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,Aplicar la regla +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,Aplicar la regla DocType: User,Karma,Karma DocType: DocField,Table,Taula DocType: File,File Size,Mida del fitxer @@ -1945,7 +1955,7 @@ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Coun apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,entre DocType: Async Task,Queued,En cua DocType: PayPal Settings,Use Sandbox,ús Sandbox -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,Nou format personalitzat Imprimir +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,Nou format personalitzat Imprimir DocType: Custom DocPerm,Create,Crear apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},Filtre no vàlid: {0} DocType: Email Account,no failed attempts,intents fallits sense @@ -1969,8 +1979,8 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,senyal DocType: DocType,Show Print First,Show Print First apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,Ctrl + Retorn per publicar -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},Crear {0} -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,Nou compte de correu +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},Crear {0} +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,Nou compte de correu apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),Mida (MB) DocType: Help Article,Author,autor apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,reprendre l'enviament @@ -1980,7 +1990,7 @@ DocType: Print Settings,Monochrome,Monocrom DocType: Contact,Purchase User,Usuari de compres DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.","Diferent ""Estats"" aquest document poden existir en. Igual que en ""Obrir"", ""Pendent d'aprovació"", etc." apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,"Aquest enllaç no és vàlid o caducat. Si us plau, assegureu-vos que ha enganxat correctament." -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} ha estat cancel·lat la subscripció amb èxit d'aquesta llista de correu. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} ha estat cancel·lat la subscripció amb èxit d'aquesta llista de correu. DocType: Web Page,Slideshow,Slideshow apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,La Plantilla de la direcció predeterminada no es pot eliminar DocType: Contact,Maintenance Manager,Gerent de Manteniment @@ -1994,13 +2004,16 @@ apps/frappe/frappe/model/document.py +1047,This document is currently queued for apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,Arxiu '{0}' no trobat apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,Traieu la Secció DocType: User,Change Password,Canvia la contrasenya -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},Emails: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},Emails: {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,Finalització de l'esdeveniment ha de ser després de la posta apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},No té permís per obtenir un informe sobre: {0} DocType: DocField,Allow Bulk Edit,Permetre Edició massiva DocType: Blog Post,Blog Post,Post Blog -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,Cerca avançada +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,Cerca avançada apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,Les Instruccions de restabliment de contrasenya han estat enviades al seu correu electrònic +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.","El nivell 0 és per als permisos de nivell de document, \ nivells més alts per als permisos de nivell de camp." +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,Ordenar Per DocType: Workflow,States,Units DocType: Email Alert,Attach Print,Adjuntar Imprimir apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},Suggerida Nom d'usuari: {0} @@ -2008,7 +2021,7 @@ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,dia ,Modules,mòduls apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,Establir icones de l'escriptori apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,L'èxit de pagament -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,No {0} electrònic +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,No {0} electrònic DocType: OAuth Bearer Token,Revoked,revocat DocType: Web Page,Sidebar and Comments,Barra lateral i Comentaris apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.","Quan es modifiqui un document després de cancelar-lo i guardar-lo, tindrà un nou número que és una versió de l'antic nombre." @@ -2016,17 +2029,17 @@ DocType: Stripe Settings,Publishable Key,clau publicable DocType: Workflow State,circle-arrow-left,circle-arrow-left apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,"Servidor de memòria cau Redis parat. Si us plau, poseu-vos en contacte amb l'Administrador / Suport tècnic" apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,Nom del partit -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,Fer un nou registre +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,Fer un nou registre apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,recerca DocType: Currency,Fraction,Fracció DocType: LDAP Settings,LDAP First Name Field,LDAP camp de nom -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,Seleccioneu d'arxius adjunts existents +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,Seleccioneu d'arxius adjunts existents DocType: Custom Field,Field Description,Descripció del camp apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,Nom no establert a través de Prompt -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,Safata d'entrada de correu electrònic +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,Safata d'entrada de correu electrònic DocType: Auto Email Report,Filters Display,filtres de visualització DocType: Website Theme,Top Bar Color,Inici Barra Color -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,Vols cancel·lar la subscripció a aquesta llista de correu? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,Vols cancel·lar la subscripció a aquesta llista de correu? DocType: Address,Plant,Planta apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,Respondre a tots DocType: DocType,Setup,Ajustos @@ -2036,8 +2049,8 @@ DocType: Workflow State,glass,vidre DocType: DocType,Timeline Field,Línia de temps camp DocType: Country,Time Zones,Zones horàries apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,Hi ha d'haver almenys una regla de permís. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,Obtenir elements -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,No apporve Dropbox accés. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,Obtenir elements +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,No apporve Dropbox accés. DocType: DocField,Image,Imatge DocType: Workflow State,remove-sign,eliminar l'efecte de signe apps/frappe/frappe/www/search.html +30,Type something in the search box to search,Escriu alguna cosa en el quadre de cerca per buscar @@ -2046,9 +2059,9 @@ DocType: Communication,Other,Un altre apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,Començar una nova Format apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,Si us plau adjuntar un fitxer DocType: Workflow State,font,font -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,Aquest és un top-100 contrasenya comú. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,Aquest és un top-100 contrasenya comú. apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,"Si us plau, activa elements emergents" -DocType: Contact,Mobile No,Número de Mòbil +DocType: User,Mobile No,Número de Mòbil DocType: Communication,Text Content,contingut de text DocType: Customize Form Field,Is Custom Field,És el camp personalitzat DocType: Workflow,"If checked, all other workflows become inactive.","Si se selecciona, tots els altres fluxos de treball es tornen inactius." @@ -2063,7 +2076,7 @@ DocType: Email Flag Queue,Action,Acció apps/frappe/frappe/www/update-password.html +111,Please enter the password,"Si us plau, introdueixi la contrasenya" apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,No es permet imprimir documents cancel·lats apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,No se li permet crear columnes -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,Info: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,Info: DocType: Custom Field,Permission Level,Nivell de permís DocType: User,Send Notifications for Transactions I Follow,Enviar notificacions de transaccions que segueixo apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write","{0}: No es pot establir a Presentat, Anul·lat, Modificat sense escriptura" @@ -2081,11 +2094,11 @@ DocType: DocField,In List View,Vista de llista DocType: Email Account,Use TLS,Utilitza TLS apps/frappe/frappe/email/smtp.py +24,Invalid login or password,Usuari o contrasenya no vàlids apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,Add custom javascript to forms. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,Número de sèrie +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,Número de sèrie ,Role Permissions Manager,Administrador de Permisos de rols apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,Nom del nou format d'impressió -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,clar Accessori -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,Obligatori: +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,clar Accessori +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,Obligatori: ,User Permissions Manager,Administrador de Permisos d'usuari DocType: Property Setter,New value to be set,Nou valor a configurar DocType: Email Alert,Days Before or After,Dies anteriors o posteriors @@ -2121,14 +2134,14 @@ apps/frappe/frappe/model/base_document.py +428,Value missing for,Falta a apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,Afegir Nen apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,"{0} {1}: Registre Presentat, no es pot eliminar." apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,Mida de còpia de seguretat -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,nou tipus de document +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,nou tipus de document DocType: Custom DocPerm,Read,Llegir DocType: Role Permission for Page and Report,Role Permission for Page and Report,El permís per a la funció Pàgina i Informe apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,alinear Valor apps/frappe/frappe/www/update-password.html +14,Old Password,Contrasenya Anterior apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},Missatges de {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.","Per formatar columnes, donar títols de les columnes a la consulta." -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,No tens un compte? Registra't +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,No tens un compte? Registra't apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,{0}: No es pot establir Assignar esmenar si no submittable apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,Edita permisos de rol DocType: Communication,Link DocType,enllaç dOCTYPE @@ -2142,7 +2155,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,Les Taules apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,La pàgina que està buscant no es troba. Això podria ser degut a que es mou o hi ha un error tipogràfic a l'enllaç. apps/frappe/frappe/www/404.html +13,Error Code: {0},Codi d'error: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)","Descripció de pàgina de llistat, en text, només un parell de línies. (Màxim 140 caràcters)" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,Afegeix una restricció usuari +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,Afegeix una restricció usuari DocType: DocType,Name Case,Nom del cas apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,Compartit amb tothom apps/frappe/frappe/model/base_document.py +423,Data missing in table,falten dades a la taula @@ -2167,7 +2180,7 @@ apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your ema can get back to you. Thanks!","Si us plau ingressi tant el seu email i missatge perquè puguem \ pot tornar a vostè. Gràcies!" apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,No s'ha pogut connectar amb el servidor de correu electrònic sortint -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,Gràcies pel seu interès en subscriure-vos-hi +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,Gràcies pel seu interès en subscriure-vos-hi apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,columna personalitzada DocType: Workflow State,resize-full,resize-full DocType: Workflow State,off,apagat @@ -2185,10 +2198,10 @@ DocType: OAuth Bearer Token,Expires In,en expira DocType: DocField,Allow on Submit,Permetre al presentar DocType: DocField,HTML,HTML DocType: Error Snapshot,Exception Type,Tipus d'excepció -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,Esculli Columnes +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,Esculli Columnes DocType: Web Page,Add code as <script>,Add code as <script> apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +7,Select Type,Seleccionar tipus -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +24,Please enter values for App Access Key and App Secret Key,"Si us plau, introdueixi els valors amb accés a aplicacions clau i l'App clau secreta" +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +26,Please enter values for App Access Key and App Secret Key,"Si us plau, introdueixi els valors amb accés a aplicacions clau i l'App clau secreta" DocType: Web Form,Accept Payment,accepti el pagament apps/frappe/frappe/config/core.py +62,A log of request errors,Un registre d'errors de petició DocType: Report,Letter Head,Capçalera de la carta @@ -2218,11 +2231,11 @@ apps/frappe/frappe/public/js/frappe/request.js +111,Please try again,Siusplau to apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 3,Opció 3 DocType: Unhandled Email,uid,UID DocType: Workflow State,Edit,Edita -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Permissions can be managed via Setup > Role Permissions Manager,Els permisos es poden gestionar a través de Configuració & gt; Permisos del rol Administrador +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +226,Permissions can be managed via Setup > Role Permissions Manager,Els permisos es poden gestionar a través de Configuració & gt; Permisos del rol Administrador DocType: Contact Us Settings,Pincode,Codi PIN apps/frappe/frappe/core/page/data_import_tool/importer.py +81,Please make sure that there are no empty columns in the file.,"Si us plau, assegureu-vos que no hi ha columnes buides a l'arxiu." apps/frappe/frappe/utils/oauth.py +232,Please ensure that your profile has an email address,"Si us plau, assegureu-vos que el seu perfil té una adreça de correu electrònic" -apps/frappe/frappe/public/js/frappe/model/create_new.js +282,You have unsaved changes in this form. Please save before you continue.,"Hi ha canvis sense desar en aquest formulari. Si us plau, guarda abans de continuar." +apps/frappe/frappe/public/js/frappe/model/create_new.js +286,You have unsaved changes in this form. Please save before you continue.,"Hi ha canvis sense desar en aquest formulari. Si us plau, guarda abans de continuar." apps/frappe/frappe/core/doctype/doctype/doctype.py +439,Default for {0} must be an option,Defecte per {0} ha de ser una opció DocType: Tag Doc Category,Tag Doc Category,Tag Doc Categoria DocType: User,User Image,Imatge d'Usuari @@ -2230,10 +2243,10 @@ apps/frappe/frappe/email/queue.py +286,Emails are muted,Els correus electrònics apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Up,Ctrl + A dalt DocType: Website Theme,Heading Style,Estil de títol apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,Es crearà un nou projecte amb aquest nom -apps/frappe/frappe/utils/data.py +527,1 weeks ago,fa 1 setmana +apps/frappe/frappe/utils/data.py +528,1 weeks ago,fa 1 setmana apps/frappe/frappe/desk/page/applications/applications.py +75,You cannot install this app,No es pot instal·lar aquesta aplicació DocType: Communication,Error,Error -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +89,Do not send Emails.,No envieu missatges de correu electrònic. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +99,Do not send Emails.,No envieu missatges de correu electrònic. DocType: DocField,Column Break,Salt de columna DocType: Event,Thursday,Dijous apps/frappe/frappe/utils/response.py +143,You don't have permission to access this file,Vostè no té permís per accedir a aquesta imatge @@ -2277,25 +2290,23 @@ apps/frappe/frappe/config/desk.py +38,Private and public Notes.,Notes privades i DocType: DocField,Datetime,Data i hora apps/frappe/frappe/templates/includes/login/login.js +174,Not a valid user,No és un usuari vàlid DocType: Workflow State,arrow-right,fletxa cap a la dreta -apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,Fa> {0} any (s) DocType: Workflow State,Workflow state represents the current state of a document.,Estat de flux de treball representa l'estat actual d'un document. apps/frappe/frappe/utils/oauth.py +221,Token is missing,Token falta apps/frappe/frappe/utils/file_manager.py +269,Removed {0},Eliminat {0} DocType: Company History,Highlight,Destacat DocType: OAuth Provider Settings,Force,força DocType: DocField,Fold,fold -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +656,Ascending,Ascendent +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Ascending,Ascendent apps/frappe/frappe/printing/doctype/print_format/print_format.py +19,Standard Print Format cannot be updated,Format d'impressió estàndard no es pot actualitzar apps/frappe/frappe/public/js/frappe/model/model.js +537,Please specify,"Si us plau, especifiqui" DocType: Communication,Bot,bot DocType: Help Article,Help Article,ajuda article DocType: Page,Page Name,Nom de pàgina -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +202,Help: Field Properties,Ajuda: Propietats del camp -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +134,Importing...,Importació ... +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +203,Help: Field Properties,Ajuda: Propietats del camp +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +137,Importing...,Importació ... apps/frappe/frappe/core/doctype/file/file.js +27,Unzip,obrir la cremallera apps/frappe/frappe/model/document.py +923,Incorrect value in row {0}: {1} must be {2} {3},Valor incorrecte a la fila {0}: {1} ha de ser {2} {3} apps/frappe/frappe/workflow/doctype/workflow/workflow.py +67,Submitted Document cannot be converted back to draft. Transition row {0},Document presentat no es pot convertir de nou a redactar. Fila Transició {0} -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Configuració> Usuari apps/frappe/frappe/desk/reportview.py +217,Deleting {0},Eliminació {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start.html +2,Select an existing format to edit or start a new format.,Seleccioneu un format existent per editar o iniciar un nou format. apps/frappe/frappe/workflow/doctype/workflow/workflow.py +38,Created Custom Field {0} in {1},Creat camp personalitzat {0} a {1} @@ -2313,12 +2324,12 @@ DocType: OAuth Provider Settings,Auto,acte DocType: Workflow State,question-sign,question-sign DocType: Email Account,Add Signature,Afegir signatura apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +38,Left this conversation,Quedi aquesta conversa -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +479,Did not set,No establert +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Did not set,No establert ,Background Jobs,Treballs en segon pla DocType: ToDo,ToDo,ToT DocType: DocField,No Copy,No Copy DocType: Workflow State,qrcode,qrcode -apps/frappe/frappe/www/login.html +29,Login with LDAP,Entrada amb LDAP +apps/frappe/frappe/www/login.html +34,Login with LDAP,Entrada amb LDAP DocType: Web Form,Breadcrumbs,Breadcrumbs apps/frappe/frappe/core/doctype/doctype/doctype.py +637,If Owner,Si Propietari DocType: OAuth Authorization Code,Expiration time,temps de termini @@ -2327,7 +2338,7 @@ DocType: Web Form,Show Sidebar,Mostra la barra lateral apps/frappe/frappe/website/doctype/web_form/web_form.py +128,You need to be logged in to access this {0}.,Has d'estar registrat per accedir a aquest {0}. apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +142,Complete By,Completat per apps/frappe/frappe/templates/includes/comments/comments.py +48,{0} by {1},{0} per {1} -apps/frappe/frappe/utils/password_strength.py +169,All-uppercase is almost as easy to guess as all-lowercase.,Tot en majúscules és gairebé tan fàcil d'endevinar com en minúscules. +apps/frappe/frappe/utils/password_strength.py +171,All-uppercase is almost as easy to guess as all-lowercase.,Tot en majúscules és gairebé tan fàcil d'endevinar com en minúscules. DocType: Feedback Trigger,Email Fieldname,email FIELDNAME DocType: Website Settings,Top Bar Items,Elements de la barra superior apps/frappe/frappe/email/doctype/email_account/email_account.py +53,"Email id must be unique, Email Account is already exist \ @@ -2337,20 +2348,17 @@ DocType: Page,Yes,Sí DocType: DocType,Max Attachments,Capacitat màxima de fitxers adjunts DocType: Desktop Icon,Page,Pàgina apps/frappe/frappe/utils/bot.py +145,Could not find {0} in {1},No s'ha pogut trobar {0} a {1} -apps/frappe/frappe/utils/password_strength.py +161,Names and surnames by themselves are easy to guess.,Els noms i cognoms que per si mateixos són fàcils d'endevinar. +apps/frappe/frappe/utils/password_strength.py +163,Names and surnames by themselves are easy to guess.,Els noms i cognoms que per si mateixos són fàcils d'endevinar. apps/frappe/frappe/config/website.py +93,Knowledge Base,Base de coneixements DocType: Workflow State,briefcase,briefcase apps/frappe/frappe/model/base_document.py +561,Value cannot be changed for {0},El valor no pot ser canviat per {0} -apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.","Vostè sembla haver escrit el seu nom en lloc del seu correu electrònic. \ - Introduïu una adreça de correu electrònic vàlida perquè puguem tornar." DocType: Feedback Request,Is Manual,és Instruccions DocType: Workflow State,"Style represents the button color: Success - Green, Danger - Red, Inverse - Black, Primary - Dark Blue, Info - Light Blue, Warning - Orange","Estil representa el color del botó: Èxit - Verd, Perill - vermell, Inverse - Negre, Primària - Blau Fosc, Informació - blau clar, Advertència - Orange" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +158,No Report Loaded. Please use query-report/[Report Name] to run a report.,No Informe Loaded. Empreu consulta d'informe / [Nom de l'informe] per executar un informe. DocType: Workflow Transition,Workflow Transition,Transició de workflow apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +53,{0} months ago,Fa {0} mesos apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,Creat per -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +92,Dropbox Setup,Configuració de Dropbox +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +90,Dropbox Setup,Configuració de Dropbox DocType: Workflow State,resize-horizontal,resize-horizontal DocType: Note,Content,Contingut apps/frappe/frappe/public/js/frappe/views/treeview.js +261,Group Node,Group Node @@ -2358,6 +2366,7 @@ DocType: Communication,Notification,notificació DocType: Web Form,Go to this url after completing the form.,Aneu a aquesta url després de completar el formulari. DocType: DocType,Document,Document apps/frappe/frappe/core/doctype/doctype/doctype.py +186,Series {0} already used in {1},La sèrie {0} ja s'utilitza a {1} +apps/frappe/frappe/core/page/data_import_tool/importer.py +225,Unsupported File Format,Format de fitxer no admès DocType: DocField,Code,Codi DocType: Workflow,"All possible Workflow States and roles of the workflow. Docstatus Options: 0 is""Saved"", 1 is ""Submitted"" and 2 is ""Cancelled""","Tots els possibles estats de flux de treball i les funcions de flux de treball. Opcions DocStatus: 0 és "salvat", 1 es "Enviat" i 2 és "Cancel·lat"" DocType: Website Theme,Footer Text Color,Peu de pàgina de text en color @@ -2382,17 +2391,17 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +45,just now,ara mateix DocType: Footer Item,Policy,política apps/frappe/frappe/integrations/utils.py +76,{0} Settings not found,{0} Els ajustos no van trobar DocType: Module Def,Module Def,Mòdul Def -apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,Done,Fet apps/frappe/frappe/core/doctype/communication/communication.js +61,Reply,Respondre apps/frappe/frappe/config/core.py +22,Pages in Desk (place holders),Articles a la turística (marcadors de posició) DocType: DocField,Collapsible Depends On,Plegable Depèn de DocType: Print Settings,Allow page break inside tables,Permetre salt de pàgina dins de les taules DocType: Email Account,SMTP Server,Servidor SMTP DocType: Print Format,Print Format Help,Format d'impressió Ajuda +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +63,Update the template and save in downloaded format before attaching.,Actualitzar la plantilla i guardar en format descarregat abans de connectar. apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +852,With Groups,Amb Grups DocType: DocType,Beta,beta apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +22,restored {0} as {1},restaurada {0} com {1} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Si està actualitzant, si us plau seleccioneu ""Sobreescriure"" no s'eliminaran les files existents." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +71,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Si està actualitzant, si us plau seleccioneu ""Sobreescriure"" no s'eliminaran les files existents." DocType: Event,Every Month,Cada Mes DocType: Letter Head,Letter Head in HTML,Cap Carta a HTML DocType: Web Form,Web Form,Formulari Web @@ -2415,14 +2424,14 @@ apps/frappe/frappe/public/js/frappe/socketio_client.js +51,Progress,progrés apps/frappe/frappe/public/js/frappe/form/workflow.js +32, by Role ,per rol apps/frappe/frappe/public/js/frappe/form/save.js +148,Missing Fields,Els camps que falten apps/frappe/frappe/core/doctype/doctype/doctype.py +176,Invalid fieldname '{0}' in autoname,nom de camp no vàlid '{0}' a AutoName -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Search in a document type,Cercar en un tipus de document -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +257,Allow field to remain editable even after submission,Permetre al camp ser editable fins i tot després de la presentació +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,Search in a document type,Cercar en un tipus de document +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +258,Allow field to remain editable even after submission,Permetre al camp ser editable fins i tot després de la presentació DocType: Custom DocPerm,Role and Level,Rols i Nivell DocType: File,Thumbnail URL,URL en miniatura apps/frappe/frappe/desk/moduleview.py +37,Custom Reports,Informes personalitzats DocType: Website Script,Website Script,Website Script apps/frappe/frappe/config/setup.py +182,Customized HTML Templates for printing transactions.,Plantilles HTML personalitzades per a transaccions d'impressió. -apps/frappe/frappe/public/js/frappe/form/print.js +247,Orientation,orientació +apps/frappe/frappe/public/js/frappe/form/print.js +250,Orientation,orientació DocType: Workflow,Is Active,Està actiu apps/frappe/frappe/desk/form/utils.py +91,No further records,No hi ha registres addicionals DocType: DocField,Long Text,Text llarg @@ -2446,7 +2455,6 @@ apps/frappe/frappe/templates/includes/contact.js +30,Thank you for your message, apps/frappe/frappe/public/js/frappe/views/communication.js +68,Send Read Receipt,Enviar confirmació de lectura DocType: Stripe Settings,Stripe Settings,Ajustaments de la ratlla DocType: Dropbox Settings,Dropbox Setup via Site Config,Configuració de Dropbox a través del Lloc Config -apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,"No s'ha trobat la plantilla d'adreces per defecte. Si us plau, crear una nova des Configuració> Premsa i Branding> plantilla de direcció." apps/frappe/frappe/www/login.py +64,Invalid Login Token,Invalid Login Token apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +48,1 hour ago,Fa 1 dia DocType: Social Login Keys,Frappe Client ID,Frappe ID de client @@ -2478,7 +2486,7 @@ DocType: Address Template,"

    Default Template

    {% if email_ID%} email: {{email_ID}} & lt; br & gt ; {% endif -%} " DocType: Role,Role Name,Nom de rol -apps/frappe/frappe/website/js/website.js +379,Switch To Desk,Passar a escriptori +apps/frappe/frappe/website/js/website.js +376,Switch To Desk,Passar a escriptori apps/frappe/frappe/config/core.py +27,Script or Query reports,Script o consulta informes DocType: Workflow Document State,Workflow Document State,Flux de treball de documents Estat apps/frappe/frappe/public/js/frappe/request.js +115,File too big,L'arxiu és massa gran @@ -2491,14 +2499,14 @@ apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel befor apps/frappe/frappe/www/printview.py +205,Print Format {0} is disabled,Format d'impressió {0} està deshabilitat DocType: Email Alert,Send days before or after the reference date,Enviar dies abans o després de la data de referència DocType: User,Allow user to login only after this hour (0-24),Permetre l'accés a l'usuari només després d'aquesta hora (0-24) -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Value,Valor -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +166,Click here to verify,Fes clic aquí per verificar -apps/frappe/frappe/utils/password_strength.py +172,Predictable substitutions like '@' instead of 'a' don't help very much.,substitucions predictibles com "@" en lloc de "a" no ajuden molt. +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Value,Valor +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +165,Click here to verify,Fes clic aquí per verificar +apps/frappe/frappe/utils/password_strength.py +174,Predictable substitutions like '@' instead of 'a' don't help very much.,substitucions predictibles com "@" en lloc de "a" no ajuden molt. apps/frappe/frappe/desk/doctype/todo/todo_list.js +22,Assigned By Me,Assignat By Em apps/frappe/frappe/core/doctype/doctype/doctype.py +80,Not in Developer Mode! Set in site_config.json or make 'Custom' DocType.,No en la manera de desenvolupador! Situat en site_config.json o fer DOCTYPE 'Custom'. DocType: Workflow State,globe,globus DocType: System Settings,dd.mm.yyyy,dd.mm.aaaa -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +249,Hide field in Standard Print Format,Amaga el camp en el Format d'impressió estàndard +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +250,Hide field in Standard Print Format,Amaga el camp en el Format d'impressió estàndard DocType: ToDo,Priority,Prioritat DocType: Email Queue,Unsubscribe Param,Donar-se de baixa Param DocType: Auto Email Report,Weekly,Setmanal @@ -2511,10 +2519,10 @@ DocType: Contact,Purchase Master Manager,Administraodr principal de compres DocType: Module Def,Module Name,Nom del mòdul DocType: DocType,DocType is a Table / Form in the application.,Doctype és una taula / formulari en l'aplicació. DocType: Email Account,GMail,GMail -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,{0} Report,{0} Informe +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +111,{0} Report,{0} Informe DocType: Communication,SMS,SMS DocType: DocType,Web View,vista web -apps/frappe/frappe/public/js/frappe/form/print.js +166,Warning: This Print Format is in old style and cannot be generated via the API.,Advertència: Aquest format d'impressió és d'estil antic i no es pot generar a través de l'API. +apps/frappe/frappe/public/js/frappe/form/print.js +169,Warning: This Print Format is in old style and cannot be generated via the API.,Advertència: Aquest format d'impressió és d'estil antic i no es pot generar a través de l'API. DocType: DocField,Print Width,Ample d'impressió ,Setup Wizard,Assistent de configuració DocType: User,Allow user to login only before this hour (0-24),Permetre a l'usuari per iniciar sessió només abans d'aquesta hora (0-24) @@ -2546,14 +2554,14 @@ apps/frappe/frappe/utils/csvutils.py +35,Invalid CSV Format,Format CSV no vàlid DocType: Address,Name of person or organization that this address belongs to.,Nom de la persona o organització a la que pertany aquesta direcció. apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,Establir el nombre de còpies de seguretat DocType: DocField,Do not allow user to change after set the first time,No permetre que l'usuari pugui canviar després d'establir la primera vegada -apps/frappe/frappe/public/js/frappe/upload.js +247,Private or Public?,Privat o públic? -apps/frappe/frappe/utils/data.py +535,1 year ago,fa 1 any +apps/frappe/frappe/public/js/frappe/upload.js +251,Private or Public?,Privat o públic? +apps/frappe/frappe/utils/data.py +536,1 year ago,fa 1 any DocType: Contact,Contact,Contacte DocType: User,Third Party Authentication,Third Party Authentication DocType: Website Settings,Banner is above the Top Menu Bar.,Banner està per sobre de la barra de menú superior. DocType: Razorpay Settings,API Secret,API secret -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +726,Export Report: ,Exporta informe: -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +672,{0} {1} does not exist,{0} {1} no existeix +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +853,Export Report: ,Exporta informe: +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +674,{0} {1} does not exist,{0} {1} no existeix DocType: Email Account,Port,Port DocType: Print Format,Arial,Arial apps/frappe/frappe/config/core.py +12,Models (building blocks) of the Application,Models (blocs de construcció) de l'Aplicació @@ -2585,9 +2593,9 @@ DocType: DocField,Display Depends On,display depèn DocType: Web Page,Insert Code,Insereix Codi DocType: ToDo,Low,Sota apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +697,You can add dynamic properties from the document by using Jinja templating.,Pot afegir propietats dinàmiques del document mitjançant l'ús de plantilles Jinja. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,List a document type,Llista un tipus de document +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,List a document type,Llista un tipus de document DocType: Event,Ref Type,Tipus Ref -apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,"If you are uploading new records, leave the ""name"" (ID) column blank.","Si has de carregar nous registres, deixa en blanc la columna ""name"" (ID)" +apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, leave the ""name"" (ID) column blank.","Si has de carregar nous registres, deixa en blanc la columna ""name"" (ID)" apps/frappe/frappe/config/core.py +47,Errors in Background Events,Els errors en els esdeveniments de fons apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +399,No of Columns,No de Columnes DocType: Workflow State,Calendar,Calendari @@ -2602,7 +2610,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +106,Unable to load: {0},No e apps/frappe/frappe/config/integrations.py +28,Backup,reserva apps/frappe/frappe/core/page/usage_info/usage_info.html +3,Expires in {0} days,Expira el {0} dies DocType: DocField,Read Only,Només lectura -apps/frappe/frappe/email/doctype/email_group/email_group.js +43,New Newsletter,Nou Butlletí +apps/frappe/frappe/email/doctype/email_group/email_group.js +45,New Newsletter,Nou Butlletí DocType: Print Settings,Send Print as PDF,Envia la impressió com a PDF DocType: Web Form,Amount,Quantitat DocType: Workflow Transition,Allowed,Mascotes @@ -2616,14 +2624,14 @@ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filt apps/frappe/frappe/core/doctype/doctype/doctype.py +654,{0}: Permission at level 0 must be set before higher levels are set,{0}: El permís al nivell 0 s'ha d'establir abans de fixar nivells més alts apps/frappe/frappe/desk/doctype/todo/todo.py +28,Assignment closed by {0},Assignació tancat per {0} DocType: Integration Request,Remote,remot -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +140,Calculate,Calcular +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Calculate,Calcular apps/frappe/frappe/printing/doctype/print_format/print_format.js +28,Please select DocType first,Seleccioneu doctype primer -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +174,Confirm Your Email,Confirma teu email -apps/frappe/frappe/www/login.html +37,Or login with,O ingressar amb +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +173,Confirm Your Email,Confirma teu email +apps/frappe/frappe/www/login.html +42,Or login with,O ingressar amb DocType: Error Snapshot,Locals,Els locals apps/frappe/frappe/desk/page/activity/activity_row.html +19,Communicated via {0} on {1}: {2},Comunicada a través d'{0} el {1}: {2} apps/frappe/frappe/core/doctype/communication/comment.py +85,{0} mentioned you in a comment in {1},{0} t'ha mencionat en un comentari en {1} -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,per exemple (55 + 434) / 4 o = Math.sin (Math.PI / 2) ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,per exemple (55 + 434) / 4 o = Math.sin (Math.PI / 2) ... apps/frappe/frappe/model/naming.py +45,{0} is required,{0} és necessari DocType: Integration Request,Integration Type,Tipus d'Integració DocType: Newsletter,Send Attachements,Enviar Attachements @@ -2635,10 +2643,11 @@ DocType: Web Page,Web Page,Pàgina Web DocType: Blog Category,Blogger,Blogger apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},'A la recerca global' no permès per al tipus {0} a la fila {1} apps/frappe/frappe/public/js/frappe/views/treeview.js +297,View List,veure Llista -apps/frappe/frappe/public/js/frappe/form/control.js +685,Date must be in format: {0},La data ha de tenir el format: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +686,Date must be in format: {0},La data ha de tenir el format: {0} DocType: Workflow,Don't Override Status,No correcció d'estat apps/frappe/frappe/www/feedback.html +90,Please give a rating.,"Si us plau, donar una qualificació." apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} Comentaris Sol·licitud +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +26,Search term,El terme de cerca apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +548,The First User: You,La Primera Usuari: apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +32,Select Columns,Seleccionar columnes DocType: Translation,Source Text,font del text @@ -2650,15 +2659,15 @@ apps/frappe/frappe/config/website.py +37,Single Post (article).,Missatge Individ apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +10,Reports,Informes DocType: Page,No,No DocType: Property Setter,Set Value,Valor seleccionat -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +245,Hide field in form,Hide field in form -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +93,Illegal Access Token. Please try again,Il · legal testimoni d'accés. Siusplau torna-ho a provar +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +246,Hide field in form,Hide field in form +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +91,Illegal Access Token. Please try again,Il · legal testimoni d'accés. Siusplau torna-ho a provar apps/frappe/frappe/public/js/frappe/desk.js +93,"The application has been updated to a new version, please refresh this page","L'aplicació s'ha actualitzat a una nova versió, si us plau, tornar a carregar aquesta pàgina" apps/frappe/frappe/core/doctype/communication/communication.js +35,Resend,Reenviar DocType: Feedback Trigger,Optional: The alert will be sent if this expression is true,Opcional: L'alerta s'enviat si aquesta expressió és veritable DocType: Print Settings,Print with letterhead,Imprimir de carta DocType: Unhandled Email,Raw Email,E-mail prima apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,Seleccioneu els registres per a l'assignació -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +135,Importing,Importació +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +138,Importing,Importació DocType: ToDo,Assigned By,assignat per apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +27,You can use Customize Form to set levels on fields.,Podeu utilitzar Personalitzar Formulari per establir els nivells dels camps. DocType: Custom DocPerm,Level,Nivell @@ -2690,7 +2699,7 @@ apps/frappe/frappe/core/doctype/user/user.py +229,Password Reset,Restablir contr DocType: Communication,Opened,Inaugurat DocType: Workflow State,chevron-left,chevron-left DocType: Communication,Sending,Enviament -apps/frappe/frappe/auth.py +228,Not allowed from this IP Address,No es permet des d'aquesta adreça IP +apps/frappe/frappe/auth.py +231,Not allowed from this IP Address,No es permet des d'aquesta adreça IP DocType: Website Slideshow,This goes above the slideshow.,Això va per sobre de la presentació de diapositives (slideshow) apps/frappe/frappe/config/setup.py +254,Install Applications.,Instal·lació d'aplicacions. DocType: User,Last Name,Cognoms @@ -2705,7 +2714,6 @@ DocType: Address,State,Estat DocType: Workflow Action,Workflow Action,Acció de flux de treball DocType: DocType,"Image Field (Must of type ""Attach Image"")",Camp d'imatge (ha de tipus "Adjunta imatge") apps/frappe/frappe/utils/bot.py +43,I found these: ,He trobat els següents: -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +692,Set Sort,establir Ordenar DocType: Event,Send an email reminder in the morning,Enviar un recordatori per correu electrònic el matí DocType: Blog Post,Published On,Publicat a DocType: User,Gender,Gènere @@ -2723,13 +2731,15 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +30 DocType: Workflow State,warning-sign,warning-sign DocType: Workflow State,User,Usuari DocType: Website Settings,"Show title in browser window as ""Prefix - title""",Mostrar títol a la finestra del navegador com "Prefix - títol" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,text in document type,text en el tipus de document +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,text in document type,text en el tipus de document apps/frappe/frappe/handler.py +91,Logged Out,tancat la sessió -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +236,More...,Més ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +237,More...,Més ... +DocType: System Settings,User can login using Email id or Mobile number,L'usuari pot iniciar la sessió utilitzant correu electrònic d'identificació o número de mòbil DocType: Bulk Update,Update Value,Actualització Valor apps/frappe/frappe/core/doctype/communication/communication.js +73,Mark as {0},Marcar com {0} apps/frappe/frappe/model/rename_doc.py +25,Please select a new name to rename,"Si us plau, seleccioni un nou nom per canviar el nom" apps/frappe/frappe/public/js/frappe/request.js +136,Something went wrong,Alguna cosa ha anat malament +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +186,Only {0} entries shown. Please filter for more specific results.,Només {0} entrades mostren. Si us plau filtrar per obtenir resultats més específics. DocType: System Settings,Number Format,Format de nombre DocType: Auto Email Report,Frequency,Freqüència DocType: Custom Field,Insert After,Inserir després @@ -2744,8 +2754,9 @@ DocType: Workflow State,cog,cog apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +89,Sync on Migrate,Sincronització en Migrar apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +64,Currently Viewing,Visualitzant DocType: DocField,Default,Defecte -apps/frappe/frappe/public/js/frappe/form/link_selector.js +140,{0} added,{0} afegits -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +133,Please save the report first,"Si us plau, guardi l'informe primer" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +143,{0} added,{0} afegits +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +209,Search for '{0}',Cerca '{0}' +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +134,Please save the report first,"Si us plau, guardi l'informe primer" apps/frappe/frappe/email/doctype/email_group/email_group.py +42,{0} subscribers added,{0} abonats afegir apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +9,Not In,No En DocType: Workflow State,star,estrella @@ -2764,7 +2775,7 @@ DocType: Address,Office,Oficina apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,Aquesta Junta Kanban serà privada apps/frappe/frappe/desk/moduleview.py +73,Standard Reports,Informes estàndard DocType: User,Email Settings,Configuració del correu electrònic -apps/frappe/frappe/public/js/frappe/desk.js +345,Please Enter Your Password to Continue,Introduïu la contrasenya per continuar +apps/frappe/frappe/public/js/frappe/desk.js +347,Please Enter Your Password to Continue,Introduïu la contrasenya per continuar apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +99,Not a valid LDAP user,No és un usuari vàlid LDAP apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} no és un Estat vàlida apps/frappe/frappe/integrations/doctype/paypal_settings/paypal_settings.py +90,Please select another payment method. PayPal does not support transactions in currency '{0}',Si us plau seleccioneu un altre mètode de pagament. PayPal no admet transaccions en moneda '{0}' @@ -2785,7 +2796,7 @@ DocType: DocField,Unique,Únic apps/frappe/frappe/public/js/frappe/form/quick_entry.js +97,Ctrl+enter to save,Ctrl + enter per guardar DocType: Email Account,Service,Servei DocType: File,File Name,Nom De l'Arxiu -apps/frappe/frappe/core/page/data_import_tool/importer.py +349,Did not find {0} for {0} ({1}),No s'ha trobat {0} per {0} ({1}) +apps/frappe/frappe/core/page/data_import_tool/importer.py +365,Did not find {0} for {0} ({1}),No s'ha trobat {0} per {0} ({1}) apps/frappe/frappe/utils/bot.py +176,"Oops, you are not allowed to know that","Vaja, no se li permet saber que" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +17,Next,Següent apps/frappe/frappe/config/setup.py +39,Set Permissions per User,Establir permisos per usuari @@ -2794,9 +2805,9 @@ apps/frappe/frappe/printing/doctype/print_format/print_format.js +26,Edit Format apps/frappe/frappe/core/doctype/user/user.py +245,Complete Registration,Completar el registre apps/frappe/frappe/public/js/frappe/form/toolbar.js +189,New {0} (Ctrl+B),Nou {0} (Ctrl + B) apps/frappe/frappe/website/doctype/website_theme/website_theme.py +40,Top Bar Color and Text Color are the same. They should be have good contrast to be readable.,Top Bar en color i text en color són els mateixos. Han tenen bon contrast per poder llegir. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,You can only upload upto 5000 records in one go. (may be less in some cases),Només es pot carregar fins a 5.000 registres d'una sola vegada. (Pot ser inferior en alguns casos) +apps/frappe/frappe/core/page/data_import_tool/exporter.py +68,You can only upload upto 5000 records in one go. (may be less in some cases),Només es pot carregar fins a 5.000 registres d'una sola vegada. (Pot ser inferior en alguns casos) apps/frappe/frappe/model/document.py +159,Insufficient Permission for {0},De permís suficient per a {0} -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +763,Report was not saved (there were errors),L'Informe no s'ha guardat (hi ha errors) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +764,Report was not saved (there were errors),L'Informe no s'ha guardat (hi ha errors) apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +25,Numerically Ascending,ascendent numèricament DocType: Print Settings,Print Style,Estil d'impressió apps/frappe/frappe/public/js/frappe/form/linked_with.js +51,Not Linked to any record,No vinculats a cap registre @@ -2809,7 +2820,7 @@ apps/frappe/frappe/public/js/frappe/change_log.html +7,updated to {0},actualitza DocType: User,Desktop Background,Fons de l'escriptori DocType: Portal Settings,Custom Menu Items,Elements de menú personalitzat DocType: Workflow State,chevron-right,Chevron-dreta -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +214,"Change type of field. (Currently, Type change is \ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +215,"Change type of field. (Currently, Type change is \ allowed among 'Currency and Float')","Canviar el tipus de camp. (Actualment, es permet \ Tipus de canvi entre 'moneda i Float')" apps/frappe/frappe/website/doctype/web_form/web_form.py +35,You need to be in developer mode to edit a Standard Web Form,Vostè necessita estar en la manera de programador per editar un formulari web Estàndard @@ -2822,12 +2833,13 @@ DocType: Web Page,Header and Description,Capçalera i Descripció apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,Es requereix usuari i contrassenya apps/frappe/frappe/model/document.py +540,Please refresh to get the latest document.,"Si us plau, actualitza per obtenir l'últim document." DocType: User,Security Settings,Configuració de seguretat -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +855,Add Column,Afegir columna +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +856,Add Column,Afegir columna ,Desktop,Escriptori +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +727,Export Report: {0},Informe d'exportació: {0} DocType: Auto Email Report,Filter Meta,filtre Meta DocType: Web Form,Text to be displayed for Link to Web Page if this form has a web page. Link route will be automatically generated based on `page_name` and `parent_website_route`,El text que es mostra per enllaçar a la pàgina web si aquest formulari disposa d'una pàgina web. Ruta Enllaç automàticament es genera sobre la base de `page_name` i ` parent_website_route` DocType: Feedback Request,Feedback Trigger,retroalimentació del disparador -apps/frappe/frappe/public/js/frappe/form/control.js +1594,Please set {0} first,"Si us plau, estableix {0} primer" +apps/frappe/frappe/public/js/frappe/form/control.js +1595,Please set {0} first,"Si us plau, estableix {0} primer" DocType: Unhandled Email,Message-id,Missatge-id DocType: Patch Log,Patch,Pedàs DocType: Async Task,Failed,Fracassat diff --git a/frappe/translations/cs.csv b/frappe/translations/cs.csv index daa59b8556..4976cb12af 100644 --- a/frappe/translations/cs.csv +++ b/frappe/translations/cs.csv @@ -1,5 +1,5 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,Vyberte pole Hodnota. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,Pro zavření zmáčkněte Esc +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,Pro zavření zmáčkněte Esc apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}","Nový úkol, {0}, byla přiřazena k vám od {1}. {2}" DocType: Email Queue,Email Queue records.,Email fronty záznamů. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,Příspěvek @@ -48,7 +48,7 @@ apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}","{0}, Row {1}" apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,Uveďte celé jméno. apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,Chyba při nahrávání souborů. apps/frappe/frappe/model/document.py +908,Beginning with,počínaje -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,Šablona importu dat +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,Šablona importu dat apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,Nadřazeno DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.","Pokud je povoleno, síla hesla bude vynucena na základě hodnoty minimálního skóre hesla. Hodnota 2 je středně silná a 4 je velmi silná." DocType: About Us Settings,"""Team Members"" or ""Management""","""Členové týmu"" nebo ""Vedení""" @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,Testova DocType: Auto Email Report,Monthly,Měsíčně DocType: Email Account,Enable Incoming,Povolení příchozích apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,Nebezpečí -apps/frappe/frappe/www/login.html +19,Email Address,E-mailová adresa +apps/frappe/frappe/www/login.html +22,Email Address,E-mailová adresa DocType: Workflow State,th-large,th-large DocType: Communication,Unread Notification Sent,Nepřečtené oznámení Odesláno apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,Export není povolen. Potřebujete roli {0} pro exportování. DocType: DocType,Is Published Field,Je publikován Field DocType: Email Group,Email Group,Email Group DocType: Note,Seen By,Viděn -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,Ne jako -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,Nastavit zobrazované označení pole +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,Ne jako +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,Nastavit zobrazované označení pole apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},Nesprávná hodnota: {0} musí být {1} {2} apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)","Změnit vlastnosti pole (skrýt, jen pro čtení, práva atd.)" apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,Definovat frapé URL serveru v sociálních Přihlášení Keys @@ -76,8 +76,8 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,Nastaven apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,Přihlášen Administrátor DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.","Možnosti kontaktu, např.: ""Dotaz prodeje, dotaz podpory"" atd., každý na novém řádku nebo oddělené čárkami." apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. Download -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,Vložit -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},Vyberte {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,Vložit +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},Vyberte {0} DocType: Print Settings,Classic,Klasické DocType: Desktop Icon,Color,Barva apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,Pro rozsahy @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,Hledání LDAP String DocType: Translation,Translation,Překlad apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,Instalovat DocType: Custom Script,Client,Klient -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,"Tento formulář byl změněn poté, co jste naložil" +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,"Tento formulář byl změněn poté, co jste naložil" DocType: User Permission for Page and Report,User Permission for Page and Report,Uživatel Oprávnění pro stránky a zpráva DocType: System Settings,"If not set, the currency precision will depend on number format","Není-li nastaven, přesnost měny bude záviset na formátu čísla" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',Hledat ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,Vloží promítání obrázků do www stránky. -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,Odeslat +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,Odeslat DocType: Workflow Action,Workflow Action Name,Název akce toku (workflow) apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,DocType nemůže být sloučen DocType: Web Form Field,Fieldtype,Typ pole apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,Nejedná se o soubor zip +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} rok (y) apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}","Povinné údaje požadované v tabulce {0}, řádek {1}" -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,Kapitalizace nepomůže moc. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,Kapitalizace nepomůže moc. DocType: Error Snapshot,Friendly Title,Friendly Název DocType: Newsletter,Email Sent?,E-mail odeslán? DocType: Authentication Log,Authentication Log,Ověřování Log @@ -138,7 +138,7 @@ DocType: OAuth Bearer Token,Refresh Token,Obnovit Token apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,Vy DocType: Website Theme,lowercase,malá písmena DocType: Print Format,Helvetica,Helvetica -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,Newsletter již byla odeslána +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,Newsletter již byla odeslána DocType: Unhandled Email,Reason,Důvod apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,Prosím specifikujte uživatele DocType: Email Unsubscribe,Email Unsubscribe,Email Odhlásit @@ -147,30 +147,30 @@ apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multip apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,První uživatel bude System Manager (lze později změnit). ,App Installer,App Installer DocType: Workflow State,circle-arrow-up,circle-arrow-up -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,Nahrávám... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,Nahrávám... DocType: Email Domain,Email Domain,Email Domain DocType: Workflow State,italic,italic apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,Pro každého apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,{0}: Nelze nastavit Import bez Vytvoření apps/frappe/frappe/config/desk.py +26,Event and other calendars.,Event a jiné kalendáře. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,Přetáhnutím třídit sloupce +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,Přetáhnutím třídit sloupce apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,Šířky lze nastavit v px nebo %. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,Start +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,Start DocType: User,First Name,Křestní jméno DocType: LDAP Settings,LDAP Username Field,LDAP pole Uživatelské jméno DocType: Portal Settings,Standard Sidebar Menu,Standardní Sidebar Menu apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,Nelze odstranit Domů a přílohy složky apps/frappe/frappe/config/desk.py +19,Files,soubory apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,Práva se aplikují na uživatele na základě přiřazené role. -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,Nemáte povoleno odesílat emaily související s tímto dokumentem +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,Nemáte povoleno odesílat emaily související s tímto dokumentem apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,Prosím zvolte aspoň 1 sloupec z {0} třídit / skupina DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,"Zaškrtněte, pokud se testuje platby pomocí API Sandbox" apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,Nejste oprávněn odstranit standardní motiv webové stránky. DocType: Feedback Trigger,Example,Příklad DocType: Workflow State,gift,dárek -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Vyžadováno +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Vyžadováno apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},Nemohu najít přílohu: {0} -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,Přiřadit úroveň oprávnění poli. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,Přiřadit úroveň oprávnění poli. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,Nelze odebrat apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,"Prostředek, který hledáte není k dispozici" apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,Zobrazit / skrýt moduly @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,Zobrazit DocType: Email Group,Total Subscribers,Celkem Odběratelé apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.","Pakliže role nemá přístup na úrovni 0, pak vyšší úrovně nemají efekt." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,Uložit jako +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,Uložit jako DocType: Communication,Seen,Seen -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,Zobrazit více podrobností +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,Zobrazit více podrobností DocType: System Settings,Run scheduled jobs only if checked,Spouštět plánované operace pouze když je zaškrtnuto apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,"Se zobrazí pouze tehdy, pokud jsou povoleny sekce nadpisy" apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,Archiv @@ -240,7 +240,7 @@ apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,Nelze DocType: Web Form,Button Help,tlačítko Nápověda DocType: Kanban Board Column,purple,nachový DocType: About Us Settings,Team Members,Členové týmu -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,Prosím přiložte soubor nebo nastavte adresu URL +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,Prosím přiložte soubor nebo nastavte adresu URL DocType: Async Task,System Manager,Správce systému DocType: Custom DocPerm,Permissions,Oprávnění DocType: Dropbox Settings,Allow Dropbox Access,Povolit přístup Dropbox @@ -263,7 +263,7 @@ apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,Nahrát př DocType: Block Module,Block Module,Block Module apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,Šablona exportu apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,Nová hodnota -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,Bez oprávnění k úpravě +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,Bez oprávnění k úpravě apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,Přidat sloupec apps/frappe/frappe/www/contact.html +30,Your email address,Vaše e-mailová adresa DocType: Desktop Icon,Module,Modul @@ -273,11 +273,11 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,je Tabulka DocType: Email Account,Total number of emails to sync in initial sync process ,Celkový počet e-mailů pro synchronizaci v počátečním synchronizačního procesu DocType: Website Settings,Set Banner from Image,Nastavit banner z obrázku -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,Globální vyhledávání +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,Globální vyhledávání DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},Nový účet byl vytvořen pro vás v {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,Pokyny zasláno e-mailem -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),Zadejte e-mail příjemce (ů) +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),Zadejte e-mail příjemce (ů) DocType: Print Format,Verdana,Verdana DocType: Email Flag Queue,Email Flag Queue,Email Flag fronty apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,Nelze určit otevřené {0}. Zkuste něco jiného. @@ -291,13 +291,13 @@ DocType: Communication,Message ID,ID zprávy DocType: Property Setter,Field Name,Název pole apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,Žádný výsledek apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,nebo -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,název modulu ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,název modulu ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,Pokračovat DocType: Custom Field,Fieldname,Název pole DocType: Workflow State,certificate,certifikát DocType: User,Tile,Dlaždice apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,Ověřování ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,První sloupec dat musí být prázdný. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,První sloupec dat musí být prázdný. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,Zobrazit všechny verze DocType: Workflow State,Print,Tisk DocType: User,Restrict IP,Omezit IP @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,Sales manažer ve skupině Master apps/frappe/frappe/www/complete_signup.html +13,One Last Step,Jeden Poslední krok apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,Název dokumentu typu (DocType) se kterým chcete provázat toto pole. Např.: Zákazník DocType: User,Roles Assigned,Přiřazení rolí -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,Nápověda pro vyhledávání +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,Nápověda pro vyhledávání DocType: Top Bar Item,Parent Label,nadřazený popisek apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.","Váš dotaz byl přijat. Odpovíme Vám brzy zpět. Máte-li jakékoliv další informace, prosím, odpovězte na tento mail." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,Oprávnění jsou automaticky překládána ve standardních výpisech a vyhledávačích. @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,Upravit záhlaví DocType: File,File URL,Adresa URL souboru DocType: Version,Table HTML,Tabulka HTML -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,Přidat předplatitelé +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,Přidat předplatitelé apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,Nadcházející události pro dnešek DocType: Email Alert Recipient,Email By Document Field,Email od pole dokumentu apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,Upgrade apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},Není možné se připojit: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,Slovo samo o sobě je snadno uhodnout. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,Slovo samo o sobě je snadno uhodnout. apps/frappe/frappe/www/search.html +11,Search...,Vyhledávání... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,Slučování je možné pouze mezi skupinami (skupina-skupina) nebo mezi uzlem typu stránka a jiným uzlem typu stránka apps/frappe/frappe/utils/file_manager.py +43,Added {0},Přidáno: {0} apps/frappe/frappe/www/search.html +28,No matching records. Search something new,Bez odpovídajících záznamů. Hledat něco nového DocType: Currency,Fraction Units,Zlomkové jednotky -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} z {1} až {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} z {1} až {2} DocType: Communication,Type,Typ +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Prosím nastavte výchozí emailový účet z Nastavení> Email> E-mailový účet DocType: Authentication Log,Subject,Předmět DocType: Web Form,Amount Based On Field,Částka z terénního apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,Uživatel je povinný pro Share @@ -349,10 +350,10 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0}: musí apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.","Použijte pár slov, vyhnout obvyklým fráze." DocType: Workflow State,plane,letadlo apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,Jejda. Vaše platba se nezdařila. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Pokud nahráváte nové záznamy, ""číselníky"" se stanou povinnými, pakliže jsou zvoleny." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Pokud nahráváte nové záznamy, ""číselníky"" se stanou povinnými, pakliže jsou zvoleny." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,Získejte upozornění pro dnešní den apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,DOCTYPE lze přejmenovat pouze uživatel Administrator -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},Změněná hodnota {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},Změněná hodnota {0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,Zkontrolujte svůj e-mail pro ověření apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,Fold nemůže být na konci formuláře @@ -364,8 +365,9 @@ DocType: Auto Email Report,No of Rows (Max 500),Ne řádků (max 500) DocType: Language,Language Code,Kód jazyka apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...","Vaše záloha se připravuje pro stažení, tato operace může chvíli trvat v závislosti na objemu dat, trpělivost prosím …" apps/frappe/frappe/www/feedback.html +23,Your rating: ,Vaše hodnocení: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} a {1} +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} a {1} DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents",Vždy přidat "Koncept" Okruh pro tisk konceptů dokumentů +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,E-mail byl označen jako spam DocType: About Us Settings,Website Manager,Správce webu apps/frappe/frappe/model/document.py +1048,Document Queued,dokument ve frontě DocType: Desktop Icon,List,Seznam @@ -377,7 +379,7 @@ DocType: Print Settings,Send document web view link in email,Odeslat dokument od apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,Vaše připomínky ke dokumentu {0} úspěšně uložen apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,Předchozí apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,Re: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} řádky pro {1} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} řádky pro {1} DocType: Currency,"Sub-currency. For e.g. ""Cent""","Sub-měna. Pro např ""Cent """ apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,Vyberte uploadovaný soubor DocType: Letter Head,Check this to make this the default letter head in all prints,Toto zaškrtněte pro vytvoření výchozího záhlaví pro veškerý tisk @@ -387,12 +389,11 @@ DocType: Desktop Icon,Link,Odkaz apps/frappe/frappe/utils/file_manager.py +96,No file attached,Žádný soubor nepřiložen DocType: Version,Version,Verze DocType: User,Fill Screen,Vyplnit obrazovku -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Nelze zobrazit tento stromový výpis, jelikož chybí data. Pravděpodobně, byla odfiltrována za základě oprávnění." -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. Vyberte Soubor -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,Upravit pomocí Vkládání -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer","typ dokumentu ..., např zákazník" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Nelze zobrazit tento stromový výpis, jelikož chybí data. Pravděpodobně, byla odfiltrována za základě oprávnění." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. Vyberte Soubor +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,Upravit pomocí Vkládání +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer","typ dokumentu ..., např zákazník" apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,Stavem '{0}' je neplatná -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Nastavení> Správce oprávnění uživatelů DocType: Workflow State,barcode,Barcode apps/frappe/frappe/config/setup.py +226,Add your own translations,Přidejte svůj vlastní překlady DocType: Country,Country Name,Stát Název @@ -411,9 +412,11 @@ DocType: Workflow State,exclamation-sign,exclamation-sign apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,Ukázat Oprávnění apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,Časová osa pole musí být Link nebo Dynamic Link apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,"Prosím, nainstalujte dropbox python modul" +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,Časové období apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,Gantt apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},Strana {0} z {1} DocType: About Us Settings,Introduce your company to the website visitor.,Představte svoji organizaci návštěvníků internetových stránek. +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json",Šifrovací klíč je neplatný. Zkontrolujte prosím site_config.json apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,na DocType: Kanban Board Column,darkgrey,tmavošedý apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},Úspěšný: {0} až {1} @@ -442,13 +445,13 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,Více DocType: Contact,Sales Manager,Manažer prodeje apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,Přejmenovat DocType: Print Format,Format Data,Formát dat -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,Jako +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,Jako DocType: Customize Form Field,Customize Form Field,Přizpůsobit formulářové pole apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,Umožňuje uživateli DocType: OAuth Client,Grant Type,Grant Type apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,"Podívejte se, které dokumenty jsou čitelné uživatelem" apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,použijete % jako zástupný znak -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?","E-mail domény není nakonfigurován pro tento účet, vytvořit jeden?" +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?","E-mail domény není nakonfigurován pro tento účet, vytvořit jeden?" DocType: User,Reset Password Key,Obnovit heslo klíče DocType: Email Account,Enable Auto Reply,Povolit automatické odpovědi apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,Ne Seen @@ -463,13 +466,13 @@ DocType: DocType,Fields,Pole DocType: System Settings,Your organization name and address for the email footer.,Vaše jméno a adresa organizace pro e-mailové zápatí. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,nadřazená tabulka apps/frappe/frappe/config/desktop.py +60,Developer,Vývojář -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,Vytvořeno +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,Vytvořeno apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} na řádku {1} nemůže mít zároveň URL a podřízené položky apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,Kořen (nejvyšší úroveň): {0} nelze smazat apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,Zatím žádné komentáře apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,Jak DOCTYPE tak Jméno je vyžadováno apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,Nelze změnit docstatus z 1 na 0 -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,Vezměte zálohování Teď +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,Vezměte zálohování Teď apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,Vítejte apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,Nainstalovaných aplikací DocType: Communication,Open,Otevřít @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,Od Celé jméno apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},Nemáte přístup k Reportu: {0} DocType: User,Send Welcome Email,Odeslat uvítací e-mail apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,"Nahrát (upload) soubor CSV obsahující všechna uživatelská oprávnění ve stejném formatu, v jakém jste je stáhli." -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,Odebrat filtr +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,Odebrat filtr DocType: Address,Personal,Osobní apps/frappe/frappe/config/setup.py +113,Bulk Rename,Hromadné přejmenování DocType: Email Queue,Show as cc,Zobrazit jako cc DocType: DocField,Heading,Nadpis DocType: Workflow State,resize-vertical,resize-vertical -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. uploadu +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. uploadu DocType: Contact Us Settings,Introductory information for the Contact Us Page,Úvodní informace na stránce kontaktujte nás DocType: Web Page,CSS,CSS DocType: Workflow State,thumbs-down,thumbs-down @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,V Globální hledání DocType: Workflow State,indent-left,indent-left apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,"Je to riskantní smazat tento soubor: {0}. Prosím, obraťte se na správce systému." DocType: Currency,Currency Name,Jméno měny -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,žádné e-maily +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,žádné e-maily DocType: Report,Javascript,Javascript DocType: File,Content Hash,Otisk obsahu (hash) DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,Uchovává JSON posledních známých verzí různých instalovaných aplikací. To se používá k zobrazení poznámky k vydání. @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',Uživatel '{0}' již má za úkol '{1}' apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,Nahrát a sloučit apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},Sdíleno s {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,Odhlásit odběr +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,Odhlásit odběr DocType: Communication,Reference Name,Název reference apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,Chat Support DocType: Error Snapshot,Exception,Výjimka @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,Newsletter Manažer apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,Možnost 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,Všechny příspěvky apps/frappe/frappe/config/setup.py +89,Log of error during requests.,Přihlásit se chyby během požadavků. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} byl úspěšně přidán do e-mailové skupiny. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,Udělat soubor (y) soukromý nebo veřejný? -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},Plánované poslat na {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} byl úspěšně přidán do e-mailové skupiny. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,Udělat soubor (y) soukromý nebo veřejný? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},Plánované poslat na {0} DocType: Kanban Board Column,Indicator,Indikátor DocType: DocShare,Everyone,Všichni DocType: Workflow State,backward,pozpátku @@ -583,11 +586,11 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,Naposledy apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,není povoleno. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,Zobrazit Odběratelé DocType: Website Theme,Background Color,Barva pozadí -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,Narazili jsme na problémy při odesílání emailu. Prosím zkuste to znovu. +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,Narazili jsme na problémy při odesílání emailu. Prosím zkuste to znovu. DocType: Portal Settings,Portal Settings,Portál Nastavení DocType: Web Page,0 is highest,0 je nejvyšší apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,"Jste si jisti, že chcete znovu sestavit toto sdělení {0}?" -apps/frappe/frappe/www/login.html +99,Send Password,Poslat heslo +apps/frappe/frappe/www/login.html +104,Send Password,Poslat heslo apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,Přílohy apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,Nemáte oprávnění pro přístup k této dokumentu DocType: Language,Language Name,Název jazyka @@ -595,28 +598,29 @@ DocType: Email Group Member,Email Group Member,E-mail člena skupiny DocType: Email Alert,Value Changed,Hodnota změněna apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},Duplicitní jméno {0} {1} DocType: Web Form Field,Web Form Field,Pole webového formuláře -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,Skrýt pole v konfigurátoru výpisů +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,Skrýt pole v konfigurátoru výpisů apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,Upravit HTML -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,Obnovit původní práva +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,Obnovit původní práva DocType: Address,Shop,Obchod DocType: DocField,Button,Tlačítko +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,{0} je nyní výchozí formát tisku pro {1} doctype apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,archivované sloupce DocType: Email Account,Default Outgoing,Výchozí Odchozí DocType: Workflow State,play,play apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,Klikněte na odkaz dole pro dokončení Vaší registrace a nastavení nového hesla -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,Nebylo přidáno +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,Nebylo přidáno apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,Žádné e-mailové účty Účelově DocType: Contact Us Settings,Contact Us Settings,Nastavení - Kontaktujte nás -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,Hledání ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,Hledání ... DocType: Workflow State,text-width,text-width apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,Bylo dosaženo maximálního limitu příloh pro tento záznam. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,Následující povinné údaje musí být vyplněny:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,Následující povinné údaje musí být vyplněny:
    DocType: Email Alert,View Properties (via Customize Form),Zobrazení vlastností (přes Vlastní forma) DocType: Note Seen By,Note Seen By,Poznámka viděn apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,Zkuste použít delší klávesnice vzor s více závitů DocType: Feedback Trigger,Check Communication,Kontrola komunikace apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,Výpisy konfigurátoru výpisů jsou spravovány přímo konfigurátorem výpisů. Nelze provést žádnou akci. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,Je třeba ověřit svou emailovou adresu +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,Je třeba ověřit svou emailovou adresu apps/frappe/frappe/model/document.py +907,none of,žádný z apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,Odeslat si kopii apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,Nahrát (upload) uživatelská oprávnění @@ -624,7 +628,7 @@ DocType: Dropbox Settings,App Secret Key,App Secret Key apps/frappe/frappe/config/website.py +7,Web Site,Webová stránka apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,Zaškrtnuté položky se zobrazí na ploše apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} nelze nastavit pro Single types -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,Kanban Board {0} neexistuje. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,Kanban Board {0} neexistuje. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} právě prohlížejí tento dokument DocType: ToDo,Assigned By Full Name,Přidělené Celé jméno apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0}: aktualizováno @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,{0} dny DocType: Email Account,Awaiting Password,Čeká Password DocType: Address,Address Line 1,Adresní řádek 1 DocType: Custom DocPerm,Role,Role -apps/frappe/frappe/utils/data.py +429,Cent,Cent -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,skládat e-mail +apps/frappe/frappe/utils/data.py +430,Cent,Cent +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,skládat e-mail apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).","Stavy toků jako např.: Rozpracováno, Schváleno, Zrušeno." DocType: Print Settings,Allow Print for Draft,Umožňují tisk pro Draft -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,Nastavit Množství +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,Nastavit Množství apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,Předloží tento dokument potvrdit DocType: User,Unsubscribed,Odhlášen z odběru apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,Nastavit vlastní role pro stránky a zprávy apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,Hodnocení: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,Nelze najít UIDVALIDITY v reakci stavu imap +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,Nelze najít UIDVALIDITY v reakci stavu imap ,Data Import Tool,Nástroj importování dat -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,"Nahrávání souborů, prosím vyčkejte několik vteřin." +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,"Nahrávání souborů, prosím vyčkejte několik vteřin." apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,Připojit svůj obrázek apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,Row Hodnoty Změnil DocType: Workflow State,Stop,Stop @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,Vyhledávací pole DocType: OAuth Bearer Token,OAuth Bearer Token,OAuth Nositel Token apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,Vybrán žádný dokument DocType: Event,Event,Událost -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:","Dne {0}, {1} napsal:" +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:","Dne {0}, {1} napsal:" apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,"Nelze smazat standardní pole. Můžete ji skrýt, pokud chcete" DocType: Top Bar Item,For top bar,Pro horní panel apps/frappe/frappe/utils/bot.py +148,Could not identify {0},Nebyli schopni určit {0} @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,Konfigurátor vlastností apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,Vyberte uživatele nebo DocType pro zahájení DocType: Web Form,Allow Print,umožňují tisk apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,Žádné Apps Instalovaný -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,Označit pole jako povinné +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,Označit pole jako povinné DocType: Communication,Clicked,Clicked apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},Bez oprávnění k: '{0}' {1} DocType: User,Google User ID,Google ID uživatele @@ -727,7 +731,7 @@ DocType: Event,orange,oranžový apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,{0}: nenalezeno apps/frappe/frappe/config/setup.py +236,Add custom forms.,Přidat vlastní formuláře. apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} na {2} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,předložen tento dokument +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,předložen tento dokument apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,Systém poskytuje mnoho předdefinovaných rolí. Můžete přidat vlastní nové role pro detailnější nastavení oprávnění. DocType: Communication,CC,CC DocType: Address,Geo,Geo @@ -739,7 +743,8 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Sele apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,Aktivní apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,Vložit pod DocType: Event,Blue,Modrý -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,Všechna přizpůsobení budou odebrána. Prosím potvrďte. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,Všechna přizpůsobení budou odebrána. Prosím potvrďte. +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,E-mailová adresa nebo mobilní číslo DocType: Page,Page HTML,HTML kód stránky apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,abecedy vzestupně apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,"Další uzly mohou být pouze vytvořena v uzlech typu ""skupiny""" @@ -766,7 +771,7 @@ DocType: User,Represents a User in the system.,Představuje uživatele v systém DocType: Communication,Label,Popisek apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","Úkol {0}, které jste přiřadili k {1}, byl uzavřen." DocType: User,Modules Access,Moduly Přístup -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,Zavřete prosím toto okno +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,Zavřete prosím toto okno DocType: Print Format,Print Format Type,Typ formátu tisku DocType: Newsletter,A Lead with this Email Address should exist,Měly by existovat elektrody s e-mailovou adresu apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,Open Source aplikací pro web @@ -776,18 +781,18 @@ DocType: Role Permission for Page and Report,Allow Roles,povolit role DocType: DocType,Hide Toolbar,Skrýt panel nástrojů DocType: User,Last Active,Naposledy aktivní DocType: Email Account,SMTP Settings for outgoing emails,SMTP nastavení pro odchozí e-maily -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,Import se nezdařil +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,Import se nezdařil apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,Vaše heslo bylo aktualizováno. Zde je Vaše nové heslo DocType: Email Account,Auto Reply Message,Zpráva automatické odpovědi DocType: Feedback Trigger,Condition,Podmínka -apps/frappe/frappe/utils/data.py +521,{0} hours ago,Před {0} hodin -apps/frappe/frappe/utils/data.py +531,1 month ago,1 před měsícem +apps/frappe/frappe/utils/data.py +522,{0} hours ago,Před {0} hodin +apps/frappe/frappe/utils/data.py +532,1 month ago,1 před měsícem DocType: Contact,User ID,User ID DocType: Communication,Sent,Odesláno DocType: File,Lft,LFT DocType: User,Simultaneous Sessions,souběžných relací DocType: OAuth Client,Client Credentials,klientské pověření -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,Otevřít modul nebo nástroj +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,Otevřít modul nebo nástroj DocType: Communication,Delivery Status,Delivery Status DocType: Module Def,App Name,Název aplikace apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,Maximální velikost souboru je dovoleno {0} MB @@ -808,11 +813,11 @@ DocType: Address,Address Type,Typ adresy apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,"Neplatný Uživatelské jméno nebo Support heslo. Prosím, opravu a zkuste to znovu." DocType: Email Account,Yahoo Mail,Yahoo Mail apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,Vaše předplatné vyprší zítra. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,Uloženo! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,Uloženo! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},Aktualizovaný {0}: {1} DocType: DocType,User Cannot Create,Uživatel nemůže Vytvořit apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,Složka {0} neexistuje -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,Přístup Dropbox je schválen! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,Přístup Dropbox je schválen! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.","Tyto budou rovněž nastaveny jako výchozí hodnoty pro tyto odkazy, pakliže pouze jeden záznam oprávnění je definován." DocType: Customize Form,Enter Form Type,Vložte typ formuláře apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,Není oštítkován žádný záznam @@ -820,17 +825,16 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +4 DocType: User,Send Password Update Notification,Poslat heslo Aktualizovat oznámení apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!","Povoluji DocType, DocType. Buďte opatrní!" apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email","Upravené formáty pro tisk, e-mail" -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,Aktualizováno na novou verzi +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,Aktualizováno na novou verzi DocType: Custom Field,Depends On,Závisí na DocType: Event,Green,Zelená DocType: Custom DocPerm,Additional Permissions,Rozšířená oprávnění DocType: Email Account,Always use Account's Email Address as Sender,Vždy použít poštovní schránky e-mailovou adresu jako odesílatel apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,Pro přidání komentáře se musíte přihlásit apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,začněte vkládat data pod tímto řádkem -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},změněné hodnoty pro {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},změněné hodnoty pro {0} DocType: Workflow State,retweet,retweet -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,Aktualizujte šablony a uložit ve formátu CSV (čárkami různé hodnoty) ve formátu před připojením. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,Zadejte hodnotu pole +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,Zadejte hodnotu pole DocType: Report,Disabled,Vypnuto DocType: Workflow State,eye-close,eye-close DocType: OAuth Provider Settings,OAuth Provider Settings,Nastavení OAuth Poskytovatel @@ -844,9 +848,9 @@ DocType: Address,Is Your Company Address,Je vaše firma adresa apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,Upravujete řádek DocType: Workflow Action,Workflow Action Master,Akce hlavních toků DocType: Custom Field,Field Type,Typ pole -apps/frappe/frappe/utils/data.py +446,only.,pouze. +apps/frappe/frappe/utils/data.py +447,only.,pouze. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,"Vyhnout se roky, které jsou spojeny s vámi." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,Sestupně +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,Sestupně apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,"Neplatný Mail Server. Prosím, opravu a zkuste to znovu." DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.","Pro odkazy, zadejte DocType jako rozsah. Pro Select, zadejte seznam možností, z nichž každý na nový řádek." @@ -855,15 +859,14 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},Bez oprávn apps/frappe/frappe/config/desktop.py +8,Tools,Nástroje apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,Vyhněte se v posledních letech. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,Není povoleno více kořenových uzlů (uzlů nejvyšší úrovně). -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,E-mailový účet není nastaven. Vytvořte nový e-mailový účet z nabídky Nastavení> Email> E-mailový účet DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.","Pokud je povoleno, budou uživatelé při každém přihlášení upozorněni. Není-li tato možnost povolena, budou uživatelé upozorněni pouze jednou." DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.","Je-li zaškrtnuto, uživatelé nebudou vidět dialogové okno Potvrdit přístup." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,ID pole je vyžadováno pro úpravu hodnot použitím výpisu. Prosím zvolte ID pole použitím výběru sloupce +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,ID pole je vyžadováno pro úpravu hodnot použitím výpisu. Prosím zvolte ID pole použitím výběru sloupce apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,Komentáře apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,Potvrdit apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,Sbalit vše apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,Nainstalujte {0}? -apps/frappe/frappe/www/login.html +71,Forgot Password?,Zapomněl jsi heslo? +apps/frappe/frappe/www/login.html +76,Forgot Password?,Zapomněl jsi heslo? DocType: System Settings,yyyy-mm-dd,rrrr-mm-dd apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,ID apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,Chyba serveru @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,Facebook ID uživatele DocType: Workflow State,fast-forward,fast-forward DocType: Communication,Communication,Komunikace apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.","Zkontrolujte, zda sloupce vybrat, přetáhnout nastavení pořadí." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,Tato akce je NEVRATNÁ a nemůže ji vrátit zpět. Pokračovat? +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,Tato akce je NEVRATNÁ a nemůže ji vrátit zpět. Pokračovat? DocType: Event,Every Day,Každý den DocType: LDAP Settings,Password for Base DN,Heslo pro základní DN apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,Tabulka Field @@ -914,14 +917,14 @@ DocType: Workflow State,align-justify,zarovnat-vyplnit DocType: User,Middle Name (Optional),Druhé jméno (volitelné) apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,Není povoleno apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,Následující pole mají chybějící hodnoty: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,Nemáte dostatečná oprávnění k dokončení akce -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,Žádné výsledky +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,Nemáte dostatečná oprávnění k dokončení akce +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,Žádné výsledky DocType: System Settings,Security,Bezpečnost -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,Plánované poslat na {0} příjemci +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,Plánované poslat na {0} příjemci apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},přejmenována z {0} až {1} DocType: Currency,**Currency** Master,** Měna ** Hlavní DocType: Email Account,No of emails remaining to be synced,"Žádné e-mailů, které zbývá synchronizovány" -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,Nahrávání +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,Nahrávání apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,Prosím uložte dokument před přiřazením DocType: Website Settings,Address and other legal information you may want to put in the footer.,"Adresa a další formální informace, které byste rádi uvedli v zápatí." DocType: Website Sidebar Item,Website Sidebar Item,Webové stránky Postranní panel Item @@ -940,7 +943,7 @@ apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App { DocType: Communication,Feedback Request,Zpětná vazba Poptávka apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,Následující pole chybí: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,experimentální Feature -apps/frappe/frappe/www/login.html +25,Sign in,Přihlásit +apps/frappe/frappe/www/login.html +30,Sign in,Přihlásit DocType: Web Page,Main Section,Hlavní sekce DocType: Page,Icon,ikona apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,pro filtrování hodnot mezi 5 & 10 @@ -950,7 +953,7 @@ DocType: System Settings,dd/mm/yyyy,dd/mm/rrrr DocType: System Settings,Backups,zálohy apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,Přidat kontakt DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,Volitelné: Vždy posílat tyto identifikátory. Každá e-mailová adresa na nový řádek -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,Skrýt podrobnosti +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,Skrýt podrobnosti DocType: Workflow State,Tasks,úkoly DocType: Event,Tuesday,Úterý DocType: Blog Settings,Blog Settings,Nastavení blogu @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,Datum splatnosti apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,Čtvrt dne DocType: Social Login Keys,Google Client Secret,Google tajný klíč klienta DocType: Website Settings,Hide Footer Signup,Skrýt zápatí Registrovat -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,zrušen tento dokument +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,zrušen tento dokument apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,Zapíše soubor Pythonu ve stejném adresáři kde je toto uloženo a vrátí sloupec a výsledek. DocType: DocType,Sort Field,Pole řadit dle DocType: Razorpay Settings,Razorpay Settings,Nastavení Razorpay -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,Upravit filtr +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,Upravit filtr apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,Pole {0} typu {1} nemůže být povinné DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User","např. Pokud Použít uživatelských oprávnění je kontrolována Report DOCTYPE, ale žádný uživatel Oprávnění jsou definovány pro zprávy za Uživatele, pak všechny zprávy jsou zobrazeny tomuto uživateli" apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,skrýt graf DocType: System Settings,Session Expiry Mobile,Session Zánik Mobile apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,Výsledky hledání pro apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,Zvolte pro stažení: -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,Pokud {0} je povoleno +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,Pokud {0} je povoleno DocType: Custom DocPerm,If user is the owner,Pokud se uživatel je vlastníkem ,Activity,Činnost DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Nápověda: Pro odkaz na jiný záznam v systému, použijte ""#Form/Note/[Název poznámky]"" jako URL odkazu. (Nepoužívejte ""http: //"")" apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,Pojďme se zabránilo opakovanému slova a znaky DocType: Communication,Delayed,Zpožděné apps/frappe/frappe/config/setup.py +128,List of backups available for download,Seznam záloh k dispozici ke stažení -apps/frappe/frappe/www/login.html +84,Sign up,Přihlásit se +apps/frappe/frappe/www/login.html +89,Sign up,Přihlásit se DocType: Integration Request,Output,Výstup apps/frappe/frappe/config/setup.py +220,Add fields to forms.,Přidat pole do formulářů. DocType: File,rgt,Rgt @@ -995,7 +998,7 @@ DocType: User Email,Email ID,Email Id DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,"Seznam zdrojů, které Klient App bude mít přístup k poté, co ho uživatel dovolí.
    například projekt" DocType: Translation,Translated Text,Přeložený text DocType: Contact Us Settings,Query Options,Možnosti dotazu -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,Import byl úspěšný! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,Import byl úspěšný! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,Aktualizace Records DocType: Error Snapshot,Timestamp,Časové razítko DocType: Patch Log,Patch Log,Záznam o o záplatách (patch) @@ -1009,14 +1012,14 @@ DocType: System Settings,Setup Complete,Setup Complete apps/frappe/frappe/config/setup.py +66,Report of all document shares,Zpráva ze všech akcií dokumentů apps/frappe/frappe/www/update-password.html +18,New Password,Nové heslo apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,Filtr {0} chybí -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,Promiňte! Nelze odstranit automaticky generovaná komentáře +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,Promiňte! Nelze odstranit automaticky generovaná komentáře DocType: Website Theme,Style using CSS,Styl pomocí CSS apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,Reference DocType DocType: User,System User,Systémový uživatel DocType: Report,Is Standard,Je standardní DocType: Desktop Icon,_report,_zpráva DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field","Nenechte HTML Kódování HTML tagy jako <script> nebo jen znaky jako <nebo>, protože by mohly být záměrně použity v tomto oboru" -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,Zadejte výchozí hodnotu +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,Zadejte výchozí hodnotu DocType: Website Settings,FavIcon,FavIcon apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,Nejméně jedna odpověď je před podáním žádosti o zpětnou vazbu povinné DocType: Workflow State,minus-sign,znaménko mínus @@ -1027,7 +1030,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Cu DocType: Authentication Log,Login,Přihlášení DocType: Web Form,Payments,Platby DocType: System Settings,Enable Scheduled Jobs,Zapnout plánované operace (cron) -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,Poznámky: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,Poznámky: apps/frappe/frappe/www/message.html +19,Status: {0},Status: {0} DocType: DocShare,Document Name,Název dokumentu apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,Označit jako spam @@ -1041,7 +1044,7 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,Zobrazit n apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,Od data apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,Povedlo se apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},Zpětná vazba Žádost o {0} je poslán do {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,Relace vypršela +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,Relace vypršela DocType: Kanban Board Column,Kanban Board Column,Sloupec Kanban Board apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,Rovné řady kláves jsou snadno uhodnout DocType: Communication,Phone No.,Telefonní číslo @@ -1051,7 +1054,7 @@ DocType: Workflow State,picture,obrázek apps/frappe/frappe/www/complete_signup.html +22,Complete,Kompletní DocType: Customize Form,Image Field,Image Field DocType: Print Format,Custom HTML Help,Vlastní nápovědy HTML -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,Přidat nový Omezení +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,Přidat nový Omezení apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,Viz na internetových stránkách DocType: Workflow Transition,Next State,Příští stav DocType: User,Block Modules,Blokované moduly @@ -1066,7 +1069,7 @@ DocType: Email Account,Default Incoming,Výchozí Příchozí DocType: Workflow State,repeat,opakovat DocType: Website Settings,Banner,Banner DocType: Role,"If disabled, this role will be removed from all users.","Pokud je vypnuta, tato role bude odstraněn ze všech uživatelů." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,Nápověda k vyhledávání +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,Nápověda k vyhledávání apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,"Registrovaný uživatel, ale tělesně postižené" DocType: DocType,Hide Copy,Skrýt kopii apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,Odebrat všechny role @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,Smazat apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},Nový: {0} apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,Nebyly nalezeny žádné omezení uživatelů. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,Výchozí Inbox -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,Nově Vytvořit +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,Nově Vytvořit DocType: Print Settings,PDF Page Size,Velikost stránky PDF apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,Poznámka: Pole s prázdnou hodnotu pro výše uvedená kritéria nejsou odfiltrovány. DocType: Communication,Recipient Unsubscribed,Příjemce Odhlášen DocType: Feedback Request,Is Sent,Je poslán apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,O aplikaci -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.","Pro aktualizaci, můžete aktualizovat pouze vybrané sloupce." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.","Pro aktualizaci, můžete aktualizovat pouze vybrané sloupce." DocType: System Settings,Country,Země apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,Adresy DocType: Communication,Shared,Společná @@ -1125,12 +1128,12 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",% S není platný formát zprávy. Zpráva formát by měl \ jednu z následujících možností% s DocType: Communication,Chat,Chat apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},Název pole {0} se vyskytuje vícekrát na řádcích {1} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} z {1} až {2} v řadě # {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} z {1} až {2} v řadě # {3} DocType: Communication,Expired,Vypršela DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),Počet sloupců pro pole v mřížce (Celkový počet sloupců v mřížce by měla být menší než 11) DocType: DocType,System,Systém DocType: Web Form,Max Attachment Size (in MB),Maximální velikost příloh (v MB) -apps/frappe/frappe/www/login.html +88,Have an account? Login,Mít účet? Přihlásit se +apps/frappe/frappe/www/login.html +93,Have an account? Login,Mít účet? Přihlásit se apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},Unknown Print Format: {0} DocType: Workflow State,arrow-down,šipka-dolů apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,Sbalit @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,Custom Role apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,Home / Test Folder 2 DocType: System Settings,Ignore User Permissions If Missing,Ignorují uživatelského oprávnění Pokud chybějící -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,Před nahráním prosím uložení dokumentu. -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,Zadejte heslo +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,Před nahráním prosím uložení dokumentu. +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,Zadejte heslo DocType: Dropbox Settings,Dropbox Access Secret,Dropbox Access Secret apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,Přidat další komentář apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,editovat DocType -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,Odhlášen z Zpravodaje +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,Odhlášen z Zpravodaje apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,Složit musí přijít před konec oddílu apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,Poslední změna od DocType: Workflow State,hand-down,hand-down @@ -1159,7 +1162,8 @@ DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,Přesměrován DocType: DocType,Is Submittable,Je Odeslatelné apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,Hodnota pro zaškrtávací pole může být 0 nebo 1 apps/frappe/frappe/model/document.py +634,Could not find {0},Nemohu najít: {0} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,Označení sloupce: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,Stáhnout ve formátu souborů aplikace Excel +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,Označení sloupce: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,Číselné řady jsou povinné DocType: Social Login Keys,Facebook Client ID,Facebook ID klienta DocType: Workflow State,Inbox,Inbox @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,Skupina DocType: Footer Item,"Select target = ""_blank"" to open in a new page.","Zvolte cíl (target) = ""_blank"" pro otevření na nové stránce." apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,Smazat na trvalo: {0}? apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,Stejný soubor již byl k záznamu přiložen -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,Ignorovat kódování chyby. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,Ignorovat kódování chyby. DocType: Auto Email Report,XLS,XLS DocType: Workflow State,wrench,wrench apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,Není nastaveno @@ -1195,24 +1199,25 @@ apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be e apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","Význam pojmů Vložit, Zrušit, Změnit" apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,Úkoly apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,Všechna stávající oprávnění budou smazána / přepsána. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),Následně dle (volitelné) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),Následně dle (volitelné) DocType: File,Preview HTML,Preview HTML DocType: Desktop Icon,query-report,query-report apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},Zadal {0}: {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,filtry uloženy DocType: DocField,Percent,Procento -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,Prosím nastavte filtry +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,Prosím nastavte filtry apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,Provázáno s DocType: Workflow State,book,kniha DocType: Website Settings,Landing Page,Landing stránka apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,Chyba ve vlastní skript apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} Name -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.","Dovoz Request ve frontě. To může trvat několik okamžiků, prosím, buďte trpěliví." +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.","Dovoz Request ve frontě. To může trvat několik okamžiků, prosím, buďte trpěliví." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,Žádná oprávnění nastavena pro toto kritérium. DocType: Auto Email Report,Auto Email Report,Auto Email Report apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,Max e-maily -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,Smazat komentář? +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,Smazat komentář? DocType: Address Template,This format is used if country specific format is not found,"Tento formát se používá, když specifický formát země není nalezen" +DocType: System Settings,Allow Login using Mobile Number,Povolit přihlášení pomocí mobilního čísla apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,Nemáte dostatečná oprávnění pro přístup k tomuto prostředku. Obraťte se na správce získat přístup. DocType: Custom Field,Custom,Zvyk apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,Nastavit emailová upozornění za základě různých kritérií. @@ -1238,7 +1243,7 @@ DocType: Workflow State,step-backward,step-backward apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{app_title} apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,"Prosím, nastavení přístupových klíčů Dropbox ve vašem webu config" apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,Smazat tento záznam povolit odesílání na tuto e-mailovou adresu -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,Pouze povinná pole jsou potřeba pro nové záznamy. Můžete smazat nepovinné sloupce přejete-li si. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,Pouze povinná pole jsou potřeba pro nové záznamy. Můžete smazat nepovinné sloupce přejete-li si. apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,Nelze aktualizovat událost apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,platba Complete apps/frappe/frappe/utils/bot.py +89,show,show @@ -1249,6 +1254,7 @@ DocType: Workflow State,map-marker,map-marker apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,Vložit případ podpory DocType: Event,Repeat this Event,Opakovat tuto událost DocType: Contact,Maintenance User,Údržba uživatele +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,Třídění předvolby apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,"Vyhnout se termíny a roky, které jsou spojeny s vámi." DocType: Custom DocPerm,Amend,Změnit DocType: File,Is Attachments Folder,Je Přílohy Folder @@ -1274,9 +1280,9 @@ DocType: DocType,Route,Trasa apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,Razorpay nastavení platební brána DocType: DocField,Name,Jméno apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,Překročili jste maximální prostor {0} pro svůj plán. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,Hledat v dokumentech +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,Hledat v dokumentech DocType: OAuth Authorization Code,Valid,Platný -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,Otevrít odkaz +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,Otevrít odkaz apps/frappe/frappe/desk/form/load.py +46,Did not load,Nebylo nahráno apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,Přidat řádek DocType: Tag Category,Doctypes,Doctypes @@ -1291,7 +1297,7 @@ DocType: Workflow State,align-center,zarovnat-střed DocType: Feedback Request,Is Feedback request triggered manually ?,Požadavek Feedback spustit manuálně? apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,Může psát apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.","Některé dokumenty, například faktura, nemůže být změněna pokud je dokončena. Finální stav pro takové dokumenty se nazývá Vloženo. Můžete omezit, které role mohou vkládat." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,Nemáte povoleno exportovat tento Report +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,Nemáte povoleno exportovat tento Report apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,1 vybraná položka DocType: Newsletter,Test Email Address,Test E-mailová adresa DocType: ToDo,Sender,Odesilatel @@ -1330,7 +1336,7 @@ apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,řád apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} nenalezeno DocType: Communication,Attachment Removed,Příloha byla odebrána apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,V posledních letech lze snadno uhodnout. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,Zobrazit popis pod polem +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,Zobrazit popis pod polem DocType: DocType,ASC,ASC DocType: Workflow State,align-left,zarovnat-vlevo DocType: User,Defaults,Výchozí @@ -1341,7 +1347,7 @@ DocType: Dynamic Link,Link Title,Název odkazu DocType: Workflow State,fast-backward,fast-backward DocType: DocShare,DocShare,DocShare DocType: Event,Friday,Pátek -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,Úpravy v plném stránku +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,Úpravy v plném stránku DocType: Authentication Log,User Details,Uživatelské Podrobnosti DocType: Report,Add Total Row,Přidat řádek celkem apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,"Například, pokud zrušíte a pozměnit INV004 se stane nový dokument INV004-1. To vám pomůže udržet přehled o každé změny." @@ -1359,8 +1365,8 @@ For e.g. 1 USD = 100 Cent","1 Měna = [?] Zlomek například pro 1 USD = 100 Cent" apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour","Příliš mnoho uživatelů přihlásilo v poslední době, takže registrace je zakázána. Zkuste to prosím znovu za hodinu" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,Přidat nové pravidlo oprávnění -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,Můžete použít zástupný znak % -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Pouze rozšíření obrazu (GIF, JPG, JPEG, TIFF, PNG, .svg) povolena" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,Můžete použít zástupný znak % +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Pouze rozšíření obrazu (GIF, JPG, JPEG, TIFF, PNG, .svg) povolena" DocType: DocType,Database Engine,Database Engine DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box","Pole oddělené čárkou (,), budou zahrnuty do "vyhledávat podle" seznamu dialogovém okně hledání" apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,"Prosím, Duplicate to Website Téma přizpůsobit." @@ -1368,10 +1374,10 @@ DocType: DocField,Text Editor,Editor textu apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,Nastavení pro stránku O nás. apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,Upravit vlastní HTML DocType: Error Snapshot,Error Snapshot,Chyba Snapshot -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,V +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,V DocType: Email Alert,Value Change,Změnit hodnotu DocType: Standard Reply,Standard Reply,Standardní odpověď -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,Šířka vstupního pole +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,Šířka vstupního pole DocType: Address,Subsidiary,Dceřiný DocType: System Settings,In Hours,V hodinách apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,šířka Letterhead @@ -1386,13 +1392,12 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,Pozvat jako Uživatel apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,Vyberte přílohy apps/frappe/frappe/model/naming.py +95, for {0},pro {0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,Došlo k chybám. Ohlaste to. +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,Došlo k chybám. Ohlaste to. apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,Nemáte povoleno tisknout tento dokument apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,Prosím nastavit filtry hodnotu v Report Filtr tabulce. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,Nahrávám Report +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,Nahrávám Report apps/frappe/frappe/limits.py +72,Your subscription will expire today.,Vaše předplatné vyprší dnes. DocType: Page,Standard,Standard -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,Najděte {0} apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,Přiložit Soubor apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,Oznámení o aktualizování hesla apps/frappe/frappe/desk/page/backups/backups.html +13,Size,Velikost @@ -1403,9 +1408,9 @@ DocType: Deleted Document,New Name,Nové jméno DocType: Communication,Email Status,Email Status apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,Prosím uložte dokument před odebráním přiřazení apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,Vložit Nad -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,Běžná jména a příjmení jsou snadno uhodnout. +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,Běžná jména a příjmení jsou snadno uhodnout. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,Návrh -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,To je podobné běžně používané heslo. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,To je podobné běžně používané heslo. DocType: User,Female,Žena DocType: Print Settings,Modern,Moderní apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,Výsledky vyhledávání @@ -1413,7 +1418,7 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,Není ulož DocType: Communication,Replied,Odpovězeno DocType: Newsletter,Test,Test DocType: Custom Field,Default Value,Výchozí hodnota -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,Ověřit +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,Ověřit DocType: Workflow Document State,Update Field,Aktualizovat pole apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},Ověření se nezdařilo pro {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,Regionální Rozšíření @@ -1426,7 +1431,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,Zero znamená zasílání záznamů kdykoli aktualizované apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,Kompletní nastavení DocType: Workflow State,asterisk,asterisk -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,Prosím neměňte nadpis šablony. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,Prosím neměňte nadpis šablony. DocType: Communication,Linked,Souvisí apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},Zadejte název nového {0} DocType: User,Frappe User ID,Frappe ID uživatele @@ -1435,9 +1440,9 @@ DocType: Workflow State,shopping-cart,nákupní košík apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,Týden DocType: Social Login Keys,Google,Google DocType: Email Domain,Example Email Address,Příklad E-mailová adresa -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,Most Použité -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,Odhlásit z newsletteru -apps/frappe/frappe/www/login.html +96,Forgot Password,Zapomenuté heslo +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,Most Použité +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,Odhlásit z newsletteru +apps/frappe/frappe/www/login.html +101,Forgot Password,Zapomenuté heslo DocType: Dropbox Settings,Backup Frequency,zálohování frekvence DocType: Workflow State,Inverse,Invertovat DocType: DocField,User permissions should not apply for this Link,Uživatelská oprávnění by neměla být aplikována na tento odkaz @@ -1448,9 +1453,9 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Nu apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,Prohlížeč není podporován apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,Některé informace chybí DocType: Custom DocPerm,Cancel,Zrušit -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,Přidat na plochu +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,Přidat na plochu apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,Soubor {0} neexistuje -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,Nechte prázdné pro nové záznamy +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,Nechte prázdné pro nové záznamy apps/frappe/frappe/config/website.py +63,List of themes for Website.,Seznam témat pro webové stránky. apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,úspěšně aktualizován DocType: Authentication Log,Logout,Odhlásit se @@ -1463,7 +1468,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a DocType: Currency,Symbol,Symbol apps/frappe/frappe/model/base_document.py +535,Row #{0}:,Řádek č.{0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,Nové heslo zasláno emailem -apps/frappe/frappe/auth.py +242,Login not allowed at this time,Přihlášení není povoleno v tuto dobu +apps/frappe/frappe/auth.py +245,Login not allowed at this time,Přihlášení není povoleno v tuto dobu DocType: Email Account,Email Sync Option,E-mail Sync Option DocType: Async Task,Runtime,Runtime DocType: Contact Us Settings,Introduction,Úvod @@ -1478,7 +1483,7 @@ apps/frappe/frappe/config/setup.py +240,Custom Tags,Vlastní Tagy apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,Nebyly nalezeny žádné odpovídající aplikace DocType: Communication,Submitted,Vloženo DocType: System Settings,Email Footer Address,E-mailová adresa zápatí -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,Tabulka aktualizováno +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,Tabulka aktualizováno DocType: Communication,Timeline DocType,Časová osa DocType DocType: DocField,Text,Text apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,Standardní odpovědi na běžné dotazy. @@ -1488,7 +1493,7 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by DocType: Footer Item,Footer Item,zápatí Item ,Download Backups,Ke stažení Zálohy apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,Home / Test Folder 1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.","Nepoužívejte aktualizovat, ale vložit nové rekordy." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.","Nepoužívejte aktualizovat, ale vložit nové rekordy." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,Přiřadit ke mně apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,Upravit složku DocType: DocField,Dynamic Link,Dynamický odkaz @@ -1501,9 +1506,10 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,Rychlá Nápověda pro nastavení oprávnění DocType: Tag Doc Category,Doctype to Assign Tags,Typ_dokumentu přiřadit tagy apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,Zobrazit Relapsy +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,E-mail byl přesunut do koše DocType: Report,Report Builder,Konfigurátor Reportu DocType: Async Task,Task Name,Jméno Task -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.","Vaše relace vypršela, znovu se přihlaste a pokračujte." +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.","Vaše relace vypršela, znovu se přihlaste a pokračujte." DocType: Communication,Workflow,Toky (workflow) apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},Ve frontě na zálohování a odstraňování {0} DocType: Workflow State,Upload,nahrát @@ -1526,7 +1532,7 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18","Toto pole se objeví pouze v případě, že fieldname zde definovány má hodnotu OR pravidla jsou pravými (příklady): myfield eval: doc.myfield == "Můj Value 'eval: doc.age> 18" -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,Dnes +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,Dnes apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).","Pakliže toto nastavíte, uživatelé budou moci přistoupit pouze na dokumenty (např.: příspěvky blogu), kam existují odkazy (např.: blogger)." DocType: Error Log,Log of Scheduler Errors,Log chyb plánovače. DocType: User,Bio,Biografie @@ -1540,7 +1546,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,Vypouští se DocType: Workflow State,adjust,adjust DocType: Web Form,Sidebar Settings,sidebar Nastavení -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,

    Nebyly nalezeny žádné výsledky pro '

    DocType: Website Settings,Disable Customer Signup link in Login page,Vypnout odkaz pro registraci zákazníků na přihlašovací stránce apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,Přiřazeno (komu)/Majitel DocType: Workflow State,arrow-left,šipka-vlevo @@ -1561,8 +1566,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,Ukázat § Nadpisy DocType: Bulk Update,Limit,Omezit apps/frappe/frappe/www/printview.py +219,No template found at path: {0},Žádná šablona nenalezena na cestě: {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,Odeslat po importu. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,Žádné e-mailový účet +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,Odeslat po importu. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,Žádné e-mailový účet DocType: Communication,Cancelled,Zrušeno DocType: Standard Reply,Standard Reply Help,Standardní odpověď nápovědy DocType: Blogger,Avatar,Avatar @@ -1571,13 +1576,13 @@ DocType: DocType,Has Web View,Má zobrazování z Webu apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores","Název DOCTYPE by měla začínat písmenem a může sestávat pouze z písmen, číslic, mezer a podtržítek" DocType: Communication,Spam,Spam DocType: Integration Request,Integration Request,Žádost o integraci -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,Vážený (á) +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,Vážený (á) DocType: Contact,Accounts User,Uživatel Účtů DocType: Web Page,HTML for header section. Optional,HTML kód pro záhlaví. Volitelné apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,Tato funkce je zcela nový a dosud experimentální apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,Maximálně {0} řádků povoleno DocType: Email Unsubscribe,Global Unsubscribe,Globální aktuality -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,Jedná se o velmi časté hesla. +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,Jedná se o velmi časté hesla. apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,Pohled DocType: Communication,Assigned,přidělen DocType: Print Format,Js,Js @@ -1585,13 +1590,14 @@ apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Form apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,Krátké vzory klávesnice lze snadno uhodnout DocType: Portal Settings,Portal Menu,portál Menu apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,Délka {0} by měla být mezi 1 a 1000 -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,Vyhledávání na cokoliv +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,Vyhledávání na cokoliv DocType: DocField,Print Hide,Skrýt tisk apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,Zadejte hodnotu DocType: Workflow State,tint,tint DocType: Web Page,Style,Styl apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,například: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} komentáře +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,E-mailový účet není nastaven. Vytvořte nový e-mailový účet z Nastavení> Email> E-mailový účet apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,Vyberte kategorii ... DocType: Customize Form Field,Label and Type,Popisek a typ DocType: Workflow State,forward,předat dál @@ -1603,12 +1609,14 @@ DocType: Website Settings,Sub-domain provided by erpnext.com,Sub doména poskytn DocType: System Settings,dd-mm-yyyy,dd-mm-rrrr apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,Potřebujete práva pro přístup k tomuto Reportu. apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,Zvolte Minimální skóre hesla -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,Přidáno -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.",Aktualizovat pouze nevkládejte nové záznamy. +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,Přidáno +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.",Aktualizovat pouze nevkládejte nové záznamy. apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,Denní přehled událostí je zasílán pro kalendářní události kde je nastaveno připomínání. apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,K webové stránce DocType: Workflow State,remove,Odstranit DocType: Email Account,If non standard port (e.g. 587),Není-li na standardním portu (např.: 587) +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Nastavení> Správce oprávnění uživatelů +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Nebyla nalezena žádná výchozí šablona adresy. Vytvořte prosím nový z nabídky Nastavení> Tisk a branding> Šablona adresy. apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,Znovu načíst apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,Přidat své vlastní kategorie Tag apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,Celkem @@ -1626,16 +1634,15 @@ apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",Výsledky hled apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},Nelze nastavit oprávnění pro DocType: {0} a jméno: {1} apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,Přidat do úkolů DocType: Footer Item,Company,Společnost -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Prosím nastavte výchozí emailový účet z Nastavení> Email> E-mailový účet apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,Přiřazeno mně -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,Potvrďte Heslo +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,Potvrďte Heslo apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,Vyskytly se chyby apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,Zavřít apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,Nelze změnit docstatus z 0 na 2 DocType: User Permission for Page and Report,Roles Permission,role Oprávnění apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,Aktualizovat DocType: Error Snapshot,Snapshot View,Snapshot View -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,Uložte Newsletter před odesláním +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,Uložte Newsletter před odesláním apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},Možnosti musí být validní DocType pro pole{0} na řádku {1} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,Upravit vlastnosti DocType: Patch Log,List of patches executed,Seznam provedených záplat @@ -1643,17 +1650,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,Komunikační médium DocType: Website Settings,Banner HTML,Banner HTML apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',"Prosím, vyberte jiný způsob platby. Razorpay nepodporuje transakcí s oběživem ‚{0}‘" -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,Ve frontě pro zálohování. To může trvat několik minut až hodinu. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,Ve frontě pro zálohování. To může trvat několik minut až hodinu. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,Registrovat OAuth klienta App apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""","{0} {1} nemůže být ""{2}"". Mělo by být jedno ze ""{3}""" -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} nebo {1} +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} nebo {1} apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,Ukázat nebo skrýt ikony na ploše apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,Aktualizovat heslo DocType: Workflow State,trash,koš DocType: System Settings,Older backups will be automatically deleted,Starší zálohy budou automaticky smazány DocType: Event,Leave blank to repeat always,Nechte prázdné pro opakování vždy -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,Potvrzeno +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,Potvrzeno DocType: Event,Ends on,Končí DocType: Payment Gateway,Gateway,Brána apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,Nedostatečné povolení k zobrazení odkazů @@ -1661,18 +1668,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO","Přidáno HTML do sekce <head> webové stránky, používané zejména pro ověřování webových stránek a SEO" apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,Relabující apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,Položka nemůže být přidána jako svůj vlastní podřízený potomek -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,Zobrazit součty +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,Zobrazit součty DocType: Error Snapshot,Relapses,Relapsy DocType: Address,Preferred Shipping Address,Preferovaná dodací adresa DocType: Social Login Keys,Frappe Server URL,URL frapé Server -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,S hlavičkový +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,S hlavičkový apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} vytvořil tento {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,Document je upravovatelný pouze pro uživatele s rolí apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.","Úkol {0}, které jste přiřadili k {1}, bylo uzavřeno {2}." DocType: Print Format,Show Line Breaks after Sections,Show konce řádků po oddílech DocType: Blogger,Short Name,Zkrácené jméno apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},Stránka {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).","Volíte Sync Option jako ALL, bude to znovu synchronizovat všechny \ číst stejně jako nepřečtenou zprávu ze serveru. To může také způsobit duplikace \ komunikace (e-mailů)." apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,soubory Velikost @@ -1681,7 +1688,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,Blokovaný DocType: Contact Us Settings,"Default: ""Contact Us""","Výchozí: ""Kontaktujte nás""" DocType: Contact,Purchase Manager,Vedoucí nákupu -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.","úroveň 0 je pro úroveň oprávnění dokumentů, vyšší úrovně jsou pro úrovně oprávnění polí." DocType: Custom Script,Sample,Vzorek apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,Nekategorizovaný Tags apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore","Uživatelské jméno nesmí obsahovat žádné jiné než písmena, čísla a speciální znaky podtržení" @@ -1704,7 +1710,7 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please up apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,Měsíc DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,ProTip: Přidat Reference: {{ reference_doctype }} {{ reference_name }} poslat referenční dokument apps/frappe/frappe/modules/utils.py +202,App not found,Aplikace nenalezena -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},Nelze vytvořit {0} proti dětské dokumentu: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},Nelze vytvořit {0} proti dětské dokumentu: {1} DocType: Portal Settings,Custom Sidebar Menu,Custom Sidebar Menu DocType: Workflow State,pencil,tužka apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,Chat zprávy a další oznámení. @@ -1714,11 +1720,11 @@ apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please ente DocType: Workflow State,hand-up,hand-up DocType: Blog Settings,Writers Introduction,Představení přispěvovatelů DocType: Communication,Phone,Telefon -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,Chyba při vyhodnocování upozornění e-mailem {0}. Opravte šablonu. +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,Chyba při vyhodnocování upozornění e-mailem {0}. Opravte šablonu. apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,Zvolte DocType nebo roli pro zahájení DocType: Contact,Passive,Pasivní DocType: Contact,Accounts Manager,Accounts Manager -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,Vyberte typ souboru +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,Vyberte typ souboru DocType: Help Article,Knowledge Base Editor,Editor Znalostní Báze apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,Stránka nenalezena DocType: DocField,Precision,přesnost @@ -1727,7 +1733,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,Skupiny DocType: Workflow State,Workflow State,Stav toků apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,řádky přidáno -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,Úspěch! Jste dobré jít 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,Úspěch! Jste dobré jít 👍 apps/frappe/frappe/www/me.html +3,My Account,Můj Účet DocType: ToDo,Allocated To,Přidělené na apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,"Prosím klikněte na následující odkaz, pro nastavení nového hesla" @@ -1749,7 +1755,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,Stav doku apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,Přihlašovací Id apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},Provedli jste {0} z {1} DocType: OAuth Authorization Code,OAuth Authorization Code,OAuth Autorizační kód -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,Není povoleno importovat +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,Není povoleno importovat DocType: Social Login Keys,Frappe Client Secret,Frapé Client Secret DocType: Deleted Document,Deleted DocType,vypouští DocType apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,Úrovně oprávnění @@ -1757,11 +1763,11 @@ DocType: Workflow State,Warning,Upozornění DocType: Tag Category,Tag Category,tag Kategorie apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!","Položka {0} je ignorována, jelikož existuje skupina se stejným názvem!" apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,Nelze obnovit Zrušeno dokument -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,Nápověda +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,Nápověda DocType: User,Login Before,Přihlášení před DocType: Web Page,Insert Style,Vložit styl apps/frappe/frappe/config/setup.py +253,Application Installer,Instalátor aplikací -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,Nový název Zpráva +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,Nový název Zpráva apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,Je DocType: Workflow State,info-sign,info-sign apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,Poměr {0} nemůže být seznam @@ -1769,9 +1775,10 @@ DocType: Currency,"How should this currency be formatted? If not set, will use s apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,Zobrazit práva uživatele apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,"Musíte být přihlášen a mít roli systémového správce, pro přístup k zálohám." apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,Zbývající +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,

    Nebyly nalezeny žádné výsledky pro '

    apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,Prosím před přiložením je třeba nejprve uložit. -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),Přidáno: {0} ({1}) -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},Přednastavené téma je zasazen do {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),Přidáno: {0} ({1}) +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},Přednastavené téma je zasazen do {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},Typ pole nemůže být změněn z {0} na {1} na řádku {2} apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,Oprávnění rolí DocType: Help Article,Intermediate,přechodný @@ -1787,11 +1794,12 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,Obnovuji... DocType: Event,Starts on,Začíná DocType: System Settings,System Settings,Nastavení systému apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,Zastavení relace se nezdařilo -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},Tento e-mail byl odeslán na adresu {0} a zkopírovat do {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},Tento e-mail byl odeslán na adresu {0} a zkopírovat do {1} DocType: Workflow State,th,th -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},Nově Vytvořit: {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Nastavení> Uživatel +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},Nově Vytvořit: {0} DocType: Email Rule,Is Spam,je Spam -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},Report {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},Report {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},Otevřít {0} DocType: OAuth Client,Default Redirect URI,Výchozí Přesměrování URI DocType: Email Alert,Recipients,Příjemci @@ -1800,13 +1808,13 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,Duplikát DocType: Newsletter,Create and Send Newsletters,Vytvoření a odeslání Zpravodaje apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,Datum od musí být dříve než datum do apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,Prosím specifikujte která hodnota musí být prověřena -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added","""Nadřazená"" značí nadřazenou tabulku, do které musí být tento řádek přidán" +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added","""Nadřazená"" značí nadřazenou tabulku, do které musí být tento řádek přidán" DocType: Website Theme,Apply Style,Aplikovat styl DocType: Feedback Request,Feedback Rating,Feedback Rating apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,Sdílené s DocType: Help Category,Help Articles,Články nápovědy ,Modules Setup,Nastavení modulů -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,Typu: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,Typu: DocType: Communication,Unshared,nerozdělený apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,Modul nenalezen DocType: User,Location,Místo @@ -1814,14 +1822,14 @@ apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},Obn ,Permitted Documents For User,Povolené dokumenty uživatele apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission","Musíte mít ""Sdílet"" oprávnění" DocType: Communication,Assignment Completed,přiřazení Dokončeno -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},Hromadná Upravit {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},Hromadná Upravit {0} DocType: Email Alert Recipient,Email Alert Recipient,Příjemce upozornění emailem apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,Neaktivní DocType: About Us Settings,Settings for the About Us Page,Nastavení pro stránku O nás apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,Nastavení proměnné brány plateb apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,Zvolte typ dokumentu ke stažení DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,např pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,Použijte pole pro filtrování záznamů +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,Použijte pole pro filtrování záznamů DocType: DocType,View Settings,Nastavení zobrazení DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll","Přidat Vaši zaměstnanci, takže můžete spravovat listy, nákladů a mezd" @@ -1831,9 +1839,9 @@ apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 charac DocType: OAuth Client,App Client ID,ID aplikace klienta DocType: Kanban Board,Kanban Board Name,Jméno Kanban Board DocType: Email Alert Recipient,"Expression, Optional","Výraz, Volitelné" -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},Tento e-mail byl odeslán na {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},Tento e-mail byl odeslán na {0} DocType: DocField,Remember Last Selected Value,"Nezapomeňte, poslední vybraná hodnota" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,Zvolte Typ dokumentu +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,Zvolte Typ dokumentu DocType: Email Account,Check this to pull emails from your mailbox,"Podívejte se na to, aby vytáhnout e-maily z poštovní schránky" apps/frappe/frappe/limits.py +139,click here,klikněte zde apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,Nelze upravovat zrušeno dokument @@ -1856,26 +1864,26 @@ DocType: Communication,Has Attachment,má přílohu DocType: Contact,Sales User,Uživatel prodeje apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,Drag and Drop nástroj k vytvoření a přizpůsobit tiskové formáty. apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,Rozbalit -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,Nastavit +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,Nastavit DocType: Email Alert,Trigger Method,Trigger Metoda DocType: Workflow State,align-right,zarovnat-vpravo DocType: Auto Email Report,Email To,E-mail na apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,Složka {0} není prázdná DocType: Page,Roles,Role -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,Pole {0} nemůžete zvolit. +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,Pole {0} nemůžete zvolit. DocType: System Settings,Session Expiry,Platnost relace DocType: Workflow State,ban-circle,ban-circle DocType: Email Flag Queue,Unread,Nepřečtený DocType: Bulk Update,Desk,Stůl apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,Napište SQL dotaz SELECT. Poznámka: výsledky nebudou stránkovány (všechna data budou odeslána najednou). DocType: Email Account,Attachment Limit (MB),Omezit přílohu (MB) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,Nastavení Auto Email +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,Nastavení Auto Email apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,Ctrl + Down -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,Jedná se o společný heslo top-10. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,Jedná se o společný heslo top-10. DocType: User,User Defaults,Výchozí nastavení uživatele apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,Vytvořit nový DocType: Workflow State,chevron-down,chevron-down -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),Email není poslán do {0} (odhlásili / vypnuto) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),Email není poslán do {0} (odhlásili / vypnuto) DocType: Async Task,Traceback,Vystopovat DocType: Currency,Smallest Currency Fraction Value,Nejmenší Měna Frakce Hodnota apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,Přiřadit (komu) @@ -1886,7 +1894,7 @@ DocType: User,Restrict user from this IP address only. Multiple IP addresses can DocType: Communication,From,Od DocType: Website Theme,Google Font (Heading),Google Font (okruh) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,Vyberte první uzel skupinu. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},Hledej: {0} v: {1} +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},Hledej: {0} v: {1} DocType: OAuth Client,Implicit,Implicitní DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","Připojit jako komunikace se proti tomuto DOCTYPE (musí mít pole, ""Status"", ""Předmět"")" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1903,8 +1911,10 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loadi apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.","Vložte klíče, které umožní přihlásit se přes Facebook, Google, GitHub." DocType: Auto Email Report,Filter Data,Filtrování dat apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,Přidat značku -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,Prosím nejdříve přiložte soubor. +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,Prosím nejdříve přiložte soubor. apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator","Narazili jsme na problémy při nastavování jména, prosím kontaktujte administrátora" +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.","Zdá se, že jste napsali své jméno místo vašeho e-mailu. \ Prosím zadejte platnou e-mailovou adresu, abychom se mohli vrátit zpět." DocType: Website Slideshow Item,Website Slideshow Item,Položka promítání obrázků www stránky DocType: Portal Settings,Default Role at Time of Signup,Výchozí Role v době SIGNUP DocType: DocType,Title Case,Titulek případu @@ -1912,7 +1922,7 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ","Pojmenování možnosti:
    1. Pole: [fieldname] - po polích
    2. naming_series: - tím, že jmenuje Series (pole s názvem naming_series musí být přítomen
    3. Prompt - Vyzvat uživatele k zadání názvu
    4. [Řada] - Series by prefix (oddělené tečkou); například PRE. #####
    " DocType: Blog Post,Email Sent,Email odeslán DocType: DocField,Ignore XSS Filter,Ignorovat XSS filtr -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,odstraněno +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,odstraněno apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,Nastavení zálohování Dropbox apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,Odeslat jako email DocType: Website Theme,Link Color,Barva odkazu @@ -1933,9 +1943,9 @@ DocType: Letter Head,Letter Head Name,Název hlavičkového listu DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),Počet sloupců pro pole v zobrazení seznamu nebo mřížce (celkem sloupce by měla být menší než 11) apps/frappe/frappe/config/website.py +18,User editable form on Website.,Uživatelem přizpůsobitelné formuláře na stránkách. DocType: Workflow State,file,soubor -apps/frappe/frappe/www/login.html +103,Back to Login,Zpět na přihlášení +apps/frappe/frappe/www/login.html +108,Back to Login,Zpět na přihlášení apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,Potřebujete oprávnění k zápisu pro přejmenování -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,Použít pravidlo +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,Použít pravidlo DocType: User,Karma,Karma DocType: DocField,Table,Tabulka DocType: File,File Size,Velikost souboru @@ -1945,7 +1955,7 @@ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Coun apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,Mezi DocType: Async Task,Queued,Ve frontě DocType: PayPal Settings,Use Sandbox,použití Sandbox -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,New Custom Print Format +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,New Custom Print Format DocType: Custom DocPerm,Create,Vytvořit apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},Neplatný filtr: {0} DocType: Email Account,no failed attempts,no neúspěšných pokusů @@ -1969,8 +1979,8 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,signal DocType: DocType,Show Print First,Zobrazit nejdříve tisk apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,"Ctrl + Enter, abyste mohl psát" -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},Nově Vytvořit: {0} -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,Nový e-mailový účet +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},Nově Vytvořit: {0} +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,Nový e-mailový účet apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),Velikost (MB) DocType: Help Article,Author,Autor apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,pokračovat v odesílání @@ -1980,7 +1990,7 @@ DocType: Print Settings,Monochrome,Monochromatické DocType: Contact,Purchase User,Nákup Uživatel DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.","Mohou existovat různé ""stavy"" tohoto dokumentu. Jako ""Otevřeno"", ""Čeká na schválení"" atd." apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,"Tento odkaz je neplatný nebo vypršela. Ujistěte se, že jste vložili správně." -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} byl úspěšně odhlásil z tohoto seznamu adresátů. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} byl úspěšně odhlásil z tohoto seznamu adresátů. DocType: Web Page,Slideshow,Promítání obrázků apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,Výchozí šablony adresy nemůže být smazán DocType: Contact,Maintenance Manager,Správce údržby @@ -1994,13 +2004,16 @@ apps/frappe/frappe/model/document.py +1047,This document is currently queued for apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,Soubor '{0}' nebyl nalezen apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,Odstranit oddíl DocType: User,Change Password,Změnit heslo -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},Neplatný email: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},Neplatný email: {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,Konec události musí být po začátku události apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},Nemáte práva přistoupit k výpisu: {0} DocType: DocField,Allow Bulk Edit,Povolit hromadné úpravy DocType: Blog Post,Blog Post,Příspěvek blogu -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,Pokročilé vyhledávání +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,Pokročilé vyhledávání apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,Informace o obnově hesla byly zaslány na Váš email +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.","Úroveň 0 je pro oprávnění na úrovni dokumentu, \ vyšší úrovně oprávnění na úrovni pole." +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,Řadit dle DocType: Workflow,States,Stavy DocType: Email Alert,Attach Print,Připojit Tisk apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},Navrhovaná Uživatelské jméno: {0} @@ -2008,7 +2021,7 @@ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,Den ,Modules,moduly apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,Nastavit ikon na ploše apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,platba Úspěch -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,No {0} pošty +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,No {0} pošty DocType: OAuth Bearer Token,Revoked,zrušena DocType: Web Page,Sidebar and Comments,Postranní panel a Komentáře apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.","Pokud změníte dokument po jeho zrušení a uložíte ho, dostane přiřazeno nové číslo. Toto je verze starého čísla." @@ -2016,17 +2029,17 @@ DocType: Stripe Settings,Publishable Key,Klíč pro publikování DocType: Workflow State,circle-arrow-left,circle-arrow-left apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,"Redis vyrovnávací server neběží. Prosím, obraťte se na správce / technickou podporu" apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,Jméno Party -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,Nově Vytvořit záznam +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,Nově Vytvořit záznam apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,Vyhledávání DocType: Currency,Fraction,Zlomek DocType: LDAP Settings,LDAP First Name Field,LDAP First Name Field -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,Vyberte ze stávajících příloh +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,Vyberte ze stávajících příloh DocType: Custom Field,Field Description,Popis pole apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,Název není nastaven pomocí prompt -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,e-mailové schránky +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,e-mailové schránky DocType: Auto Email Report,Filters Display,filtry Display DocType: Website Theme,Top Bar Color,Top Bar Color -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,Chcete se odhlásit z této e-mailové konference? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,Chcete se odhlásit z této e-mailové konference? DocType: Address,Plant,Rostlina apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,Odpovědět všem DocType: DocType,Setup,Nastavení @@ -2036,8 +2049,8 @@ DocType: Workflow State,glass,glass DocType: DocType,Timeline Field,Časová osa Field DocType: Country,Time Zones,Časová pásma apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,Musí existovat aspoň jedno pravidlo povolení. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,Získat položky -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,Vy jste to apporve Dropbox přístup. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,Získat položky +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,Vy jste to apporve Dropbox přístup. DocType: DocField,Image,Obrázek DocType: Workflow State,remove-sign,remove-sign apps/frappe/frappe/www/search.html +30,Type something in the search box to search,Sem něco do vyhledávacího pole pro vyhledávání @@ -2046,9 +2059,9 @@ DocType: Communication,Other,Ostatní apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,Začít Nový formát apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,Přiložte soubor DocType: Workflow State,font,font -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,Jedná se o společný heslo top-100. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,Jedná se o společný heslo top-100. apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,Prosím povolte vyskakovací okna -DocType: Contact,Mobile No,Mobile No +DocType: User,Mobile No,Mobile No DocType: Communication,Text Content,Text Obsah DocType: Customize Form Field,Is Custom Field,Je Vlastní pole DocType: Workflow,"If checked, all other workflows become inactive.","Pakliže je toto zaškrtnuto, všechny ostatní toky (workflow) se stanou neaktivními." @@ -2063,7 +2076,7 @@ DocType: Email Flag Queue,Action,Akce apps/frappe/frappe/www/update-password.html +111,Please enter the password,"Prosím, zadejte heslo" apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,Není dovoleno tisknout zrušené dokumenty apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,Není vám dovoleno vytvářet sloupce -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,Informace: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,Informace: DocType: Custom Field,Permission Level,úroveň oprávnění DocType: User,Send Notifications for Transactions I Follow,Posílat oznámení pro transakce sleduji apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write","{0}: Nelze nastavit Odeslat, Zrušit, Změnit bez zapsání" @@ -2081,11 +2094,11 @@ DocType: DocField,In List View,V seznamu DocType: Email Account,Use TLS,Použít TLS apps/frappe/frappe/email/smtp.py +24,Invalid login or password,Neplatné heslo či uživatelské jméno apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,Přidat přizpůsobený javascript do formulářů. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,Pořadové číslo +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,Pořadové číslo ,Role Permissions Manager,Správce rolí a oprávnění apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,Jméno nového Print Format -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,Clear Attachment -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,Povinné: +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,Clear Attachment +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,Povinné: ,User Permissions Manager,Správce oprávnění DocType: Property Setter,New value to be set,Nová hodnota k nastavení DocType: Email Alert,Days Before or After,Dnů před nebo po @@ -2121,14 +2134,14 @@ apps/frappe/frappe/model/base_document.py +428,Value missing for,Chybí hodnota apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,Přidat dítě apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: Odeslaný záznam nemůže být smazán. apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,Backup Size -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,Nový typ dokumentu +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,Nový typ dokumentu DocType: Custom DocPerm,Read,Číst DocType: Role Permission for Page and Report,Role Permission for Page and Report,Oprávnění role Page a zpráva apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,Srovnejte hodnotu apps/frappe/frappe/www/update-password.html +14,Old Password,Staré heslo apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},Příspěvky od {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.","Pro formátování sloupců, zadejte označení sloupců v dotazu." -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,Ještě nemáte svůj účet? Přihlásit se +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,Ještě nemáte svůj účet? Přihlásit se apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,{0}: Nelze nastavit přiřadit Změny když není Odeslatelné apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,Upravit oprávnění rolí DocType: Communication,Link DocType,Link DocType @@ -2142,7 +2155,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,Podřízen apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,"Stránka, kterou hledáte chybí. To by mohlo být, protože se pohybuje nebo je překlep v odkazu." apps/frappe/frappe/www/404.html +13,Error Code: {0},Kód chyby: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)","Popis pro stránku výpisů, v čistém textu, pouze pár řádek. (max 140 znaků)" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,Přidání uživatele Omezení +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,Přidání uživatele Omezení DocType: DocType,Name Case,Název případu apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,Sdílené se všemi apps/frappe/frappe/model/base_document.py +423,Data missing in table,Data chybí v tabulce @@ -2167,7 +2180,7 @@ apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your ema can get back to you. Thanks!","Prosím, zadejte i svůj e-mail a poselství, abychom \ může dostat zpět k vám. Díky!" apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,Nelze se spojit se serverem odchozí emailové pošty -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,Děkujeme Vám za Váš zájem o přihlášení do našich aktualizací +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,Děkujeme Vám za Váš zájem o přihlášení do našich aktualizací apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,Custom Column DocType: Workflow State,resize-full,resize-full DocType: Workflow State,off,off @@ -2185,10 +2198,10 @@ DocType: OAuth Bearer Token,Expires In,V vyprší DocType: DocField,Allow on Submit,Povolit při Odeslání DocType: DocField,HTML,HTML DocType: Error Snapshot,Exception Type,Typ výjimky -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,Vybrat sloupce +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,Vybrat sloupce DocType: Web Page,Add code as <script>,Přidat kód jako <script> apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +7,Select Type,Vyberte typ -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +24,Please enter values for App Access Key and App Secret Key,"Prosím, zadejte hodnoty pro App přístupový klíč a tajný klíč App" +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +26,Please enter values for App Access Key and App Secret Key,"Prosím, zadejte hodnoty pro App přístupový klíč a tajný klíč App" DocType: Web Form,Accept Payment,Přijímáme platby apps/frappe/frappe/config/core.py +62,A log of request errors,Protokol o požadavku chyb DocType: Report,Letter Head,Záhlaví @@ -2218,11 +2231,11 @@ apps/frappe/frappe/public/js/frappe/request.js +111,Please try again,Prosím zku apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 3,Varianta 3 DocType: Unhandled Email,uid,uid DocType: Workflow State,Edit,Upravit -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Permissions can be managed via Setup > Role Permissions Manager,Oprávnění mohou být spravována přes Nastavení > Správce rolí a oprávnění +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +226,Permissions can be managed via Setup > Role Permissions Manager,Oprávnění mohou být spravována přes Nastavení > Správce rolí a oprávnění DocType: Contact Us Settings,Pincode,PSČ apps/frappe/frappe/core/page/data_import_tool/importer.py +81,Please make sure that there are no empty columns in the file.,"Prosím ujistěte se, zda v souboru nejsou prázdné sloupce." apps/frappe/frappe/utils/oauth.py +232,Please ensure that your profile has an email address,"Ujistěte se, že váš profil má e-mailovou adresu" -apps/frappe/frappe/public/js/frappe/model/create_new.js +282,You have unsaved changes in this form. Please save before you continue.,"V tomto formuláři máte neuložené změny. Prosím, uložte změny než budete pokračovat." +apps/frappe/frappe/public/js/frappe/model/create_new.js +286,You have unsaved changes in this form. Please save before you continue.,"V tomto formuláři máte neuložené změny. Prosím, uložte změny než budete pokračovat." apps/frappe/frappe/core/doctype/doctype/doctype.py +439,Default for {0} must be an option,Výchozí pro {0} musí být možnost DocType: Tag Doc Category,Tag Doc Category,Tag Doc Kategorie DocType: User,User Image,Obrázek uživatele (avatar) @@ -2230,10 +2243,10 @@ apps/frappe/frappe/email/queue.py +286,Emails are muted,Emaily jsou potlačené apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Up,Ctrl + Up DocType: Website Theme,Heading Style,Okruh Style apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,Bude vytvořen nový projekt s tímto názvem -apps/frappe/frappe/utils/data.py +527,1 weeks ago,Před 1 týdny +apps/frappe/frappe/utils/data.py +528,1 weeks ago,Před 1 týdny apps/frappe/frappe/desk/page/applications/applications.py +75,You cannot install this app,Nemůžete instalovat tuto aplikaci DocType: Communication,Error,Chyba -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +89,Do not send Emails.,Neposílejte e-maily. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +99,Do not send Emails.,Neposílejte e-maily. DocType: DocField,Column Break,Zalomení sloupce DocType: Event,Thursday,Čtvrtek apps/frappe/frappe/utils/response.py +143,You don't have permission to access this file,Nemáte oprávnění k přístupu tento soubor @@ -2277,25 +2290,23 @@ apps/frappe/frappe/config/desk.py +38,Private and public Notes.,Soukromé a veř DocType: DocField,Datetime,Datum a čas apps/frappe/frappe/templates/includes/login/login.js +174,Not a valid user,Není platný uživatel DocType: Workflow State,arrow-right,šipka-vpravo -apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} rok (y) DocType: Workflow State,Workflow state represents the current state of a document.,Stav toku představuje aktuální stav dokumentu apps/frappe/frappe/utils/oauth.py +221,Token is missing,Token chybí apps/frappe/frappe/utils/file_manager.py +269,Removed {0},Odebráno: {0} DocType: Company History,Highlight,Zvýraznit DocType: OAuth Provider Settings,Force,Platnost DocType: DocField,Fold,Fold -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +656,Ascending,Vzestupně +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Ascending,Vzestupně apps/frappe/frappe/printing/doctype/print_format/print_format.py +19,Standard Print Format cannot be updated,Standardní formát tisku nemůže být aktualizován apps/frappe/frappe/public/js/frappe/model/model.js +537,Please specify,Prosím specifikujte DocType: Communication,Bot,Bot DocType: Help Article,Help Article,Článek nápovědy DocType: Page,Page Name,Název stránky -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +202,Help: Field Properties,Nápověda: Vlastnosti pole -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +134,Importing...,Import ... +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +203,Help: Field Properties,Nápověda: Vlastnosti pole +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +137,Importing...,Import ... apps/frappe/frappe/core/doctype/file/file.js +27,Unzip,rozepnout zip apps/frappe/frappe/model/document.py +923,Incorrect value in row {0}: {1} must be {2} {3},Nesprávná hodnota na řádku {0}: {1} musí být {2} {3} apps/frappe/frappe/workflow/doctype/workflow/workflow.py +67,Submitted Document cannot be converted back to draft. Transition row {0},Vložený dokument nemůže být konvertován na stav rozpracováno. řádek transkace {0} -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Nastavení> Uživatel apps/frappe/frappe/desk/reportview.py +217,Deleting {0},Mazání {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start.html +2,Select an existing format to edit or start a new format.,"Vyberte existující formát, který chcete upravit, nebo začít nový formát." apps/frappe/frappe/workflow/doctype/workflow/workflow.py +38,Created Custom Field {0} in {1},Vytvořit přizpůsobené pole {0} uvnitř {1} @@ -2313,12 +2324,12 @@ DocType: OAuth Provider Settings,Auto,Auto DocType: Workflow State,question-sign,question-sign DocType: Email Account,Add Signature,Přidat podpis apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +38,Left this conversation,Levá tento rozhovor -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +479,Did not set,Nebylo nastaveno +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Did not set,Nebylo nastaveno ,Background Jobs,Práce na pozadí DocType: ToDo,ToDo,Úkoly DocType: DocField,No Copy,Žádná kopie DocType: Workflow State,qrcode,qrcode -apps/frappe/frappe/www/login.html +29,Login with LDAP,Přihlášení s LDAP +apps/frappe/frappe/www/login.html +34,Login with LDAP,Přihlášení s LDAP DocType: Web Form,Breadcrumbs,Drobečková navigace (Breadcrumbs) apps/frappe/frappe/core/doctype/doctype/doctype.py +637,If Owner,Pokud majitelem DocType: OAuth Authorization Code,Expiration time,doba expirace @@ -2327,7 +2338,7 @@ DocType: Web Form,Show Sidebar,Show Sidebar apps/frappe/frappe/website/doctype/web_form/web_form.py +128,You need to be logged in to access this {0}.,Musíte být přihlášeni pro přístup k této {0}. apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +142,Complete By,Splnit do apps/frappe/frappe/templates/includes/comments/comments.py +48,{0} by {1},{0} x {1} -apps/frappe/frappe/utils/password_strength.py +169,All-uppercase is almost as easy to guess as all-lowercase.,All-velká je téměř stejně snadné odhadnout jako all-malá. +apps/frappe/frappe/utils/password_strength.py +171,All-uppercase is almost as easy to guess as all-lowercase.,All-velká je téměř stejně snadné odhadnout jako all-malá. DocType: Feedback Trigger,Email Fieldname,Email fieldName DocType: Website Settings,Top Bar Items,Položky horního panelu apps/frappe/frappe/email/doctype/email_account/email_account.py +53,"Email id must be unique, Email Account is already exist \ @@ -2337,20 +2348,17 @@ DocType: Page,Yes,Ano DocType: DocType,Max Attachments,Max příloh DocType: Desktop Icon,Page,Stránka apps/frappe/frappe/utils/bot.py +145,Could not find {0} in {1},Nelze najít {0} do {1} -apps/frappe/frappe/utils/password_strength.py +161,Names and surnames by themselves are easy to guess.,Jména a příjmení samy o sobě jsou snadno uhodnout. +apps/frappe/frappe/utils/password_strength.py +163,Names and surnames by themselves are easy to guess.,Jména a příjmení samy o sobě jsou snadno uhodnout. apps/frappe/frappe/config/website.py +93,Knowledge Base,Znalostní báze DocType: Workflow State,briefcase,kufřík apps/frappe/frappe/model/base_document.py +561,Value cannot be changed for {0},Hodnota nemůže být změněna pro {0} -apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.","Zdá se, že jste napsal své jméno namísto svůj e-mail. \ - Zadejte prosím platnou e-mailovou adresu, abychom se Vám mohli ozvat." DocType: Feedback Request,Is Manual,je Manual DocType: Workflow State,"Style represents the button color: Success - Green, Danger - Red, Inverse - Black, Primary - Dark Blue, Info - Light Blue, Warning - Orange","Styly reprezentující barvy tlačítek: Úspěch - zelená, Nebezpečí - Červená, Inverze - černá, Hlavní – tmavě modrá, Info – světle modrá, Upozornění – oranžová" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +158,No Report Loaded. Please use query-report/[Report Name] to run a report.,Žádný Report nenalezen. Prosím použijte query-report/[název výpisu] pro spuštění výpisu. DocType: Workflow Transition,Workflow Transition,Přechod toku (workflow) apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +53,{0} months ago,{0} měsíci apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,Vytvořeno (kým) -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +92,Dropbox Setup,Nastavení Dropbox +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +90,Dropbox Setup,Nastavení Dropbox DocType: Workflow State,resize-horizontal,resize-horizontal DocType: Note,Content,Obsah apps/frappe/frappe/public/js/frappe/views/treeview.js +261,Group Node,Group Node @@ -2358,6 +2366,7 @@ DocType: Communication,Notification,Oznámení DocType: Web Form,Go to this url after completing the form.,Jít na tuto adresu URL po dokončení formuláře. DocType: DocType,Document,Dokument apps/frappe/frappe/core/doctype/doctype/doctype.py +186,Series {0} already used in {1},Série {0} jsou již použity v {1} +apps/frappe/frappe/core/page/data_import_tool/importer.py +225,Unsupported File Format,Nepodporovaný formát souboru DocType: DocField,Code,Kód DocType: Workflow,"All possible Workflow States and roles of the workflow. Docstatus Options: 0 is""Saved"", 1 is ""Submitted"" and 2 is ""Cancelled""","Všechny možné Workflow států a role pracovního postupu. Možnosti Docstatus: 0 je "Saved", 1 "Vložené" a 2 "Zrušeno"" DocType: Website Theme,Footer Text Color,Barva textu v zápatí @@ -2382,17 +2391,17 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +45,just now,právě te DocType: Footer Item,Policy,Politika apps/frappe/frappe/integrations/utils.py +76,{0} Settings not found,{0} Nastavení nenalezen DocType: Module Def,Module Def,Vymezení modulů -apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,Done,Hotový apps/frappe/frappe/core/doctype/communication/communication.js +61,Reply,Odpověď apps/frappe/frappe/config/core.py +22,Pages in Desk (place holders),Stránky v Desk (držáky místo) DocType: DocField,Collapsible Depends On,"Skládací závisí na tom," DocType: Print Settings,Allow page break inside tables,Umožnit konec stránky uvnitř tabulky DocType: Email Account,SMTP Server,SMTP server DocType: Print Format,Print Format Help,Nápověda formát tisku +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +63,Update the template and save in downloaded format before attaching.,Před připojením aktualizujte šablonu a uložte ji do staženého formátu. apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +852,With Groups,Se skupinami DocType: DocType,Beta,Beta apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +22,restored {0} as {1},obnovena {0} jako {1} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Pakliže aktualizujete, zvolte prosím ""Přepsat"" jinak nebudou existující řádky vymazány." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +71,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Pakliže aktualizujete, zvolte prosím ""Přepsat"" jinak nebudou existující řádky vymazány." DocType: Event,Every Month,Měsíčně DocType: Letter Head,Letter Head in HTML,Hlavičkový list v HTML DocType: Web Form,Web Form,Webový formulář @@ -2415,14 +2424,14 @@ apps/frappe/frappe/public/js/frappe/socketio_client.js +51,Progress,Pokrok apps/frappe/frappe/public/js/frappe/form/workflow.js +32, by Role ,podle role apps/frappe/frappe/public/js/frappe/form/save.js +148,Missing Fields,chybějící Fields apps/frappe/frappe/core/doctype/doctype/doctype.py +176,Invalid fieldname '{0}' in autoname,Neplatný fieldname '{0}' v autoname -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Search in a document type,Hledat v typu dokumentu -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +257,Allow field to remain editable even after submission,Povolit aby pole zůstalo upravovatelné i po vložení +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,Search in a document type,Hledat v typu dokumentu +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +258,Allow field to remain editable even after submission,Povolit aby pole zůstalo upravovatelné i po vložení DocType: Custom DocPerm,Role and Level,Role a úroveň DocType: File,Thumbnail URL,Thumbnail URL apps/frappe/frappe/desk/moduleview.py +37,Custom Reports,Přizpůsobené Reporty DocType: Website Script,Website Script,Skript www stránky apps/frappe/frappe/config/setup.py +182,Customized HTML Templates for printing transactions.,Upravené HTML Šablony pro tisk transakcí. -apps/frappe/frappe/public/js/frappe/form/print.js +247,Orientation,Orientace +apps/frappe/frappe/public/js/frappe/form/print.js +250,Orientation,Orientace DocType: Workflow,Is Active,Je Aktivní apps/frappe/frappe/desk/form/utils.py +91,No further records,Žádné další záznamy DocType: DocField,Long Text,Dlouhý text @@ -2446,7 +2455,6 @@ apps/frappe/frappe/templates/includes/contact.js +30,Thank you for your message, apps/frappe/frappe/public/js/frappe/views/communication.js +68,Send Read Receipt,Poslat přečtení DocType: Stripe Settings,Stripe Settings,Stripe Nastavení DocType: Dropbox Settings,Dropbox Setup via Site Config,Dropbox Setup přes Site Config -apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Nebyla nalezena žádná výchozí šablona adresy. Vytvořte prosím nový z nabídky Nastavení> Tisk a branding> Šablona adresy. apps/frappe/frappe/www/login.py +64,Invalid Login Token,Neplatný Přihlášení Token apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +48,1 hour ago,před 1 hodinou DocType: Social Login Keys,Frappe Client ID,Frappe ID klienta @@ -2478,7 +2486,7 @@ DocType: Address Template,"

    Default Template

    {%, pokud email_id%} E-mail: {{email_id}} & lt; br & gt ; {% endif -%} " DocType: Role,Role Name,Název role -apps/frappe/frappe/website/js/website.js +379,Switch To Desk,Přepnutí do Desk +apps/frappe/frappe/website/js/website.js +376,Switch To Desk,Přepnutí do Desk apps/frappe/frappe/config/core.py +27,Script or Query reports,Script nebo Query zprávy DocType: Workflow Document State,Workflow Document State,Stav toku (workflow) dokumentu apps/frappe/frappe/public/js/frappe/request.js +115,File too big,Soubor je příliš velký @@ -2491,14 +2499,14 @@ apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel befor apps/frappe/frappe/www/printview.py +205,Print Format {0} is disabled,Formát tisku: {0} je vypnutý DocType: Email Alert,Send days before or after the reference date,Poslat dní před nebo po referenčním datem DocType: User,Allow user to login only after this hour (0-24),Povolit uživateli se přihlásit pouze po této hodině (0-24) -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Value,Hodnota -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +166,Click here to verify,Klikněte zde pro ověření -apps/frappe/frappe/utils/password_strength.py +172,Predictable substitutions like '@' instead of 'a' don't help very much.,Předvídatelné substituce jako '@' místo 'a' nepomohou moc. +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Value,Hodnota +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +165,Click here to verify,Klikněte zde pro ověření +apps/frappe/frappe/utils/password_strength.py +174,Predictable substitutions like '@' instead of 'a' don't help very much.,Předvídatelné substituce jako '@' místo 'a' nepomohou moc. apps/frappe/frappe/desk/doctype/todo/todo_list.js +22,Assigned By Me,Přidělené Me apps/frappe/frappe/core/doctype/doctype/doctype.py +80,Not in Developer Mode! Set in site_config.json or make 'Custom' DocType.,Není v režimu pro vývojáře! Nachází se v site_config.json nebo učinit 'custom' DocType. DocType: Workflow State,globe,glóbus DocType: System Settings,dd.mm.yyyy,dd.mm.rrrr -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +249,Hide field in Standard Print Format,Skrýt pole ve standardním formátu tisku +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +250,Hide field in Standard Print Format,Skrýt pole ve standardním formátu tisku DocType: ToDo,Priority,Priorita DocType: Email Queue,Unsubscribe Param,aktuality Param DocType: Auto Email Report,Weekly,Týdenní @@ -2511,10 +2519,10 @@ DocType: Contact,Purchase Master Manager,Nákup Hlavní manažer DocType: Module Def,Module Name,Název modulu DocType: DocType,DocType is a Table / Form in the application.,DocType je tabulka / formulář v aplikaci DocType: Email Account,GMail,GMail -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,{0} Report,{0} Zpráva +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +111,{0} Report,{0} Zpráva DocType: Communication,SMS,SMS DocType: DocType,Web View,Web View -apps/frappe/frappe/public/js/frappe/form/print.js +166,Warning: This Print Format is in old style and cannot be generated via the API.,Upozornění: tento tiskový formát je ve starém stylu a nemůže být generován skrze API. +apps/frappe/frappe/public/js/frappe/form/print.js +169,Warning: This Print Format is in old style and cannot be generated via the API.,Upozornění: tento tiskový formát je ve starém stylu a nemůže být generován skrze API. DocType: DocField,Print Width,šířka tisku ,Setup Wizard,Průvodce nastavením DocType: User,Allow user to login only before this hour (0-24),Povolit uživatelům přihlásit pouze před tuto hodinu (0-24) @@ -2546,14 +2554,14 @@ apps/frappe/frappe/utils/csvutils.py +35,Invalid CSV Format,Neplatný formátu C DocType: Address,Name of person or organization that this address belongs to.,"Jméno osoby nebo organizace, která tato adresa patří." apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,Nastavit počet záloh DocType: DocField,Do not allow user to change after set the first time,Nepovolit uživateli změnu po prvním nastavení -apps/frappe/frappe/public/js/frappe/upload.js +247,Private or Public?,Soukromých nebo veřejných? -apps/frappe/frappe/utils/data.py +535,1 year ago,před 1 rokem +apps/frappe/frappe/public/js/frappe/upload.js +251,Private or Public?,Soukromých nebo veřejných? +apps/frappe/frappe/utils/data.py +536,1 year ago,před 1 rokem DocType: Contact,Contact,Kontakt DocType: User,Third Party Authentication,Ověření třetí stranou DocType: Website Settings,Banner is above the Top Menu Bar.,Banner je nad horní lištou menu. DocType: Razorpay Settings,API Secret,API Secret -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +726,Export Report: ,Export Report: -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +672,{0} {1} does not exist,{0} {1} neexistuje +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +853,Export Report: ,Export Report: +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +674,{0} {1} does not exist,{0} {1} neexistuje DocType: Email Account,Port,Port DocType: Print Format,Arial,Arial apps/frappe/frappe/config/core.py +12,Models (building blocks) of the Application,Modely (stavební kameny) aplikace @@ -2585,9 +2593,9 @@ DocType: DocField,Display Depends On,Zobrazení závisí na DocType: Web Page,Insert Code,Vložit kód DocType: ToDo,Low,Nízké apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +697,You can add dynamic properties from the document by using Jinja templating.,Můžete přidat dynamické vlastnosti z dokumentu pomocí Jinja šablonovacího. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,List a document type,Seznam typů dokumentů +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,List a document type,Seznam typů dokumentů DocType: Event,Ref Type,Typ reference -apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,"If you are uploading new records, leave the ""name"" (ID) column blank.","Pakliže nahráváte nové záznamy, nechte sloupec (ID) ""název/jméno"" prázdný." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, leave the ""name"" (ID) column blank.","Pakliže nahráváte nové záznamy, nechte sloupec (ID) ""název/jméno"" prázdný." apps/frappe/frappe/config/core.py +47,Errors in Background Events,Chyby v pozadí akce apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +399,No of Columns,Počet sloupců DocType: Workflow State,Calendar,Kalendář @@ -2602,7 +2610,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +106,Unable to load: {0},Nemo apps/frappe/frappe/config/integrations.py +28,Backup,Zálohování apps/frappe/frappe/core/page/usage_info/usage_info.html +3,Expires in {0} days,Vyprší v {0} dní DocType: DocField,Read Only,Pouze pro čtení -apps/frappe/frappe/email/doctype/email_group/email_group.js +43,New Newsletter,New Newsletter +apps/frappe/frappe/email/doctype/email_group/email_group.js +45,New Newsletter,New Newsletter DocType: Print Settings,Send Print as PDF,Odeslat tisk jako PDF DocType: Web Form,Amount,Částka DocType: Workflow Transition,Allowed,Povoleno @@ -2616,14 +2624,14 @@ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filt apps/frappe/frappe/core/doctype/doctype/doctype.py +654,{0}: Permission at level 0 must be set before higher levels are set,{0}: Oprávnění na úrovni 0 musí být nastaveno před nastavením vyšších úrovní apps/frappe/frappe/desk/doctype/todo/todo.py +28,Assignment closed by {0},Úkol uzavřen {0} DocType: Integration Request,Remote,Dálkový -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +140,Calculate,Vypočítat +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Calculate,Vypočítat apps/frappe/frappe/printing/doctype/print_format/print_format.js +28,Please select DocType first,"Prosím, vyberte první DocType" -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +174,Confirm Your Email,Potvrdit Váš e-mail -apps/frappe/frappe/www/login.html +37,Or login with,Nebo se přihlašte +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +173,Confirm Your Email,Potvrdit Váš e-mail +apps/frappe/frappe/www/login.html +42,Or login with,Nebo se přihlašte DocType: Error Snapshot,Locals,Místní obyvatelé apps/frappe/frappe/desk/page/activity/activity_row.html +19,Communicated via {0} on {1}: {2},Předávány prostřednictvím {0} z {1}: {2} apps/frappe/frappe/core/doctype/communication/comment.py +85,{0} mentioned you in a comment in {1},{0} se o vás zmínil v komentáři v {1} -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,například (55 + 434) / 4 nebo = Math.sin (Math.PI / 2) ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,například (55 + 434) / 4 nebo = Math.sin (Math.PI / 2) ... apps/frappe/frappe/model/naming.py +45,{0} is required,{0} je vyžadováno DocType: Integration Request,Integration Type,integrace Type DocType: Newsletter,Send Attachements,odeslat přílohy @@ -2635,10 +2643,11 @@ DocType: Web Page,Web Page,Www stránky DocType: Blog Category,Blogger,Blogger apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},'V globálním vyhledávání' není povolen typ {0} v řádku {1} apps/frappe/frappe/public/js/frappe/views/treeview.js +297,View List,Zobrazit seznam -apps/frappe/frappe/public/js/frappe/form/control.js +685,Date must be in format: {0},Datum musí být ve formátu: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +686,Date must be in format: {0},Datum musí být ve formátu: {0} DocType: Workflow,Don't Override Status,Nepotlačí Stav apps/frappe/frappe/www/feedback.html +90,Please give a rating.,Uveďte prosím hodnocení. apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} Feedback Poptávka +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +26,Search term,Hledaný výraz apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +548,The First User: You,První Uživatel: Vy apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +32,Select Columns,Vyberte sloupce DocType: Translation,Source Text,Zdroj Text @@ -2650,15 +2659,15 @@ apps/frappe/frappe/config/website.py +37,Single Post (article).,Publikovat jedno apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +10,Reports,zprávy DocType: Page,No,Ne DocType: Property Setter,Set Value,Nastavit hodnotu -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +245,Hide field in form,Skrýt pole ve formuláři -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +93,Illegal Access Token. Please try again,Nezákonné Access Token. Prosím zkuste to znovu +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +246,Hide field in form,Skrýt pole ve formuláři +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +91,Illegal Access Token. Please try again,Nezákonné Access Token. Prosím zkuste to znovu apps/frappe/frappe/public/js/frappe/desk.js +93,"The application has been updated to a new version, please refresh this page","Aplikace byl aktualizován na novou verzi, prosím, aktualizujte tuto stránku" apps/frappe/frappe/core/doctype/communication/communication.js +35,Resend,Přeposlat DocType: Feedback Trigger,Optional: The alert will be sent if this expression is true,Volitelné: Upozornění bude zasláno pokud je tento výraz pravdivý DocType: Print Settings,Print with letterhead,Tisk s hlavičkový DocType: Unhandled Email,Raw Email,Raw Email apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,Vyberte záznamy pro přiřazení -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +135,Importing,Import +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +138,Importing,Import DocType: ToDo,Assigned By,přidělené apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +27,You can use Customize Form to set levels on fields.,Můžete použít Formulář Přizpůsobení pro nastavení úrovní na polích. DocType: Custom DocPerm,Level,Úroveň @@ -2690,7 +2699,7 @@ apps/frappe/frappe/core/doctype/user/user.py +229,Password Reset,Obnovit heslo DocType: Communication,Opened,Otevřeno DocType: Workflow State,chevron-left,chevron-left DocType: Communication,Sending,Odeslání -apps/frappe/frappe/auth.py +228,Not allowed from this IP Address,Není povoleno z této IP adresy +apps/frappe/frappe/auth.py +231,Not allowed from this IP Address,Není povoleno z této IP adresy DocType: Website Slideshow,This goes above the slideshow.,Toto přijde nad promítání obrázků. apps/frappe/frappe/config/setup.py +254,Install Applications.,Instaluje aplikace DocType: User,Last Name,Příjmení @@ -2705,7 +2714,6 @@ DocType: Address,State,Stav DocType: Workflow Action,Workflow Action,Akce toků DocType: DocType,"Image Field (Must of type ""Attach Image"")",Image Field (nutno typu "Připojit Image") apps/frappe/frappe/utils/bot.py +43,I found these: ,Zjistil jsem tyto: -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +692,Set Sort,Set Sort DocType: Event,Send an email reminder in the morning,Ráno odeslat upozornění emailem DocType: Blog Post,Published On,Publikováno (kdy) DocType: User,Gender,Pohlaví @@ -2723,13 +2731,15 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +30 DocType: Workflow State,warning-sign,warning-sign DocType: Workflow State,User,Uživatel DocType: Website Settings,"Show title in browser window as ""Prefix - title""",Zobrazit titul v okně prohlížeče jako "Předčíslí - nadpis" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,text in document type,text v typu dokumentu +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,text in document type,text v typu dokumentu apps/frappe/frappe/handler.py +91,Logged Out,Odhlásit -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +236,More...,Více... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +237,More...,Více... +DocType: System Settings,User can login using Email id or Mobile number,Uživatel se může přihlásit pomocí čísla e-mailu nebo mobilního čísla DocType: Bulk Update,Update Value,Aktualizovat hodnotu apps/frappe/frappe/core/doctype/communication/communication.js +73,Mark as {0},Označit jako {0} apps/frappe/frappe/model/rename_doc.py +25,Please select a new name to rename,"Zvolte prosím nový název, který chcete přejmenovat" apps/frappe/frappe/public/js/frappe/request.js +136,Something went wrong,Něco se pokazilo +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +186,Only {0} entries shown. Please filter for more specific results.,Zobrazeny jsou pouze položky {0}. Filtrovejte prosím konkrétnější výsledky. DocType: System Settings,Number Format,Formát čísel DocType: Auto Email Report,Frequency,Frekvence DocType: Custom Field,Insert After,Vložit za @@ -2744,8 +2754,9 @@ DocType: Workflow State,cog,cog apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +89,Sync on Migrate,Sync na Migrate apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +64,Currently Viewing,Právě si prohlížíte DocType: DocField,Default,Výchozí -apps/frappe/frappe/public/js/frappe/form/link_selector.js +140,{0} added,{0}: přidáno -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +133,Please save the report first,"Prosím, uložte sestavu jako první" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +143,{0} added,{0}: přidáno +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +209,Search for '{0}',Hledat '{0}' +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +134,Please save the report first,"Prosím, uložte sestavu jako první" apps/frappe/frappe/email/doctype/email_group/email_group.py +42,{0} subscribers added,{0} odběratelé přidáni apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +9,Not In,Ne V DocType: Workflow State,star,star @@ -2764,7 +2775,7 @@ DocType: Address,Office,Kancelář apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,To Kanban Board budou soukromé apps/frappe/frappe/desk/moduleview.py +73,Standard Reports,Standardní výpisy DocType: User,Email Settings,Nastavení emailu -apps/frappe/frappe/public/js/frappe/desk.js +345,Please Enter Your Password to Continue,"Prosím, zadejte heslo pro pokračování" +apps/frappe/frappe/public/js/frappe/desk.js +347,Please Enter Your Password to Continue,"Prosím, zadejte heslo pro pokračování" apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +99,Not a valid LDAP user,Není platný uživatel LDAP apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} není validní stav apps/frappe/frappe/integrations/doctype/paypal_settings/paypal_settings.py +90,Please select another payment method. PayPal does not support transactions in currency '{0}',"Prosím, vyberte jiný způsob platby. PayPal nepodporuje transakcí s oběživem ‚{0}‘" @@ -2785,7 +2796,7 @@ DocType: DocField,Unique,Jedinečný apps/frappe/frappe/public/js/frappe/form/quick_entry.js +97,Ctrl+enter to save,Ctrl + Enter uložit DocType: Email Account,Service,Služba DocType: File,File Name,Název souboru -apps/frappe/frappe/core/page/data_import_tool/importer.py +349,Did not find {0} for {0} ({1}),Nenalezeno {0} pro {0} ({1}) +apps/frappe/frappe/core/page/data_import_tool/importer.py +365,Did not find {0} for {0} ({1}),Nenalezeno {0} pro {0} ({1}) apps/frappe/frappe/utils/bot.py +176,"Oops, you are not allowed to know that","Jejda, už není dovoleno vědět, že" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +17,Next,Další apps/frappe/frappe/config/setup.py +39,Set Permissions per User,Nastavení oprávnění pro jednotlivé uživatele @@ -2794,9 +2805,9 @@ apps/frappe/frappe/printing/doctype/print_format/print_format.js +26,Edit Format apps/frappe/frappe/core/doctype/user/user.py +245,Complete Registration,Dokončit registraci apps/frappe/frappe/public/js/frappe/form/toolbar.js +189,New {0} (Ctrl+B),Nová {0} (Ctrl + B) apps/frappe/frappe/website/doctype/website_theme/website_theme.py +40,Top Bar Color and Text Color are the same. They should be have good contrast to be readable.,"Top Bar barev a Barva textu jsou stejné. Měly by být mít dobrý kontrast, aby byl čitelný." -apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,You can only upload upto 5000 records in one go. (may be less in some cases),Můžete nahrát nejvýše 5000 záznamů najednou. (může být i méně v některých případech) +apps/frappe/frappe/core/page/data_import_tool/exporter.py +68,You can only upload upto 5000 records in one go. (may be less in some cases),Můžete nahrát nejvýše 5000 záznamů najednou. (může být i méně v některých případech) apps/frappe/frappe/model/document.py +159,Insufficient Permission for {0},Nedostatečné oprávnění pro {0} -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +763,Report was not saved (there were errors),Výpis nebyl uložen (byly tam chyby) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +764,Report was not saved (there were errors),Výpis nebyl uložen (byly tam chyby) apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +25,Numerically Ascending,numericky vzestupně DocType: Print Settings,Print Style,Styl tisku apps/frappe/frappe/public/js/frappe/form/linked_with.js +51,Not Linked to any record,Není propojen s žádným záznamem @@ -2809,7 +2820,7 @@ apps/frappe/frappe/public/js/frappe/change_log.html +7,updated to {0},aktualizov DocType: User,Desktop Background,Pozadí pracovní plochy DocType: Portal Settings,Custom Menu Items,Položky menu Custom DocType: Workflow State,chevron-right,chevron-right -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +214,"Change type of field. (Currently, Type change is \ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +215,"Change type of field. (Currently, Type change is \ allowed among 'Currency and Float')","Změňte typ pole. (V současné době, typ změny je \ povoleno mezi ""měnou a Float"")" apps/frappe/frappe/website/doctype/web_form/web_form.py +35,You need to be in developer mode to edit a Standard Web Form,Musíte být v režimu vývojáře upravit standardní webový formulář @@ -2822,12 +2833,13 @@ DocType: Web Page,Header and Description,Záhlaví a popis apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,"Obojí, přihlašovací jméno a heslo je vyžadováno" apps/frappe/frappe/model/document.py +540,Please refresh to get the latest document.,Prosím klikněte na obnovit pro získání nejnovějšího dokumentu. DocType: User,Security Settings,Nastavení zabezpečení -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +855,Add Column,Přidat sloupec +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +856,Add Column,Přidat sloupec ,Desktop,Pracovní plocha +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +727,Export Report: {0},Exportní přehled: {0} DocType: Auto Email Report,Filter Meta,Filtr Meta DocType: Web Form,Text to be displayed for Link to Web Page if this form has a web page. Link route will be automatically generated based on `page_name` and `parent_website_route`,Text k zobrazení k prolinkování www stránky pokud má tento formulář www stránku. Cesta odkazu bude automaticky generována na základě `page_name` a `parent_website_route` DocType: Feedback Request,Feedback Trigger,Zpětná vazba Trigger -apps/frappe/frappe/public/js/frappe/form/control.js +1594,Please set {0} first,Prosím nejprve nastavte {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1595,Please set {0} first,Prosím nejprve nastavte {0} DocType: Unhandled Email,Message-id,Message-id DocType: Patch Log,Patch,Záplata DocType: Async Task,Failed,Nepodařilo diff --git a/frappe/translations/da.csv b/frappe/translations/da.csv index 4bfd9226ad..29155cac29 100644 --- a/frappe/translations/da.csv +++ b/frappe/translations/da.csv @@ -1,10 +1,10 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,Vælg beløbsfelt. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,Tryk på Esc for at lukke +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,Tryk på Esc for at lukke apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}","En ny opgave, {0}, er blevet tildelt til dig af {1}. {2}" DocType: Email Queue,Email Queue records.,Email Queue optegnelser. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,Indlæg apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +28,Please select Party Type first,Vælg Party Type først -apps/frappe/frappe/config/setup.py +114,Rename many items by uploading a .csv file.,Omdøb mange elementer ved at uploade en .csv-fil. +apps/frappe/frappe/config/setup.py +114,Rename many items by uploading a .csv file.,Omdøb mange varer ved at uploade en .csv-fil. DocType: Workflow State,pause,pause apps/frappe/frappe/www/desk.py +18,You are not permitted to access this page.,Du har ikke tilladelse til at få adgang til denne side. DocType: About Us Settings,Website,Hjemmeside @@ -13,8 +13,8 @@ DocType: User,Facebook Username,Facebook Brugernavn DocType: System Settings,Note: Multiple sessions will be allowed in case of mobile device,Bemærk: Flere sessioner vil være tilladt i tilfælde af mobil enhed apps/frappe/frappe/core/doctype/user/user.py +633,Enabled email inbox for user {users},Aktiveret email indbakke for bruger {brugere} apps/frappe/frappe/email/queue.py +207,Cannot send this email. You have crossed the sending limit of {0} emails for this month.,Kan ikke sende denne e-mail. Du har krydset sende grænse på {0} emails for denne måned. -apps/frappe/frappe/public/js/legacy/form.js +756,Permanently Submit {0}?,Permanent Indsend {0}? -DocType: Address,County,Region +apps/frappe/frappe/public/js/legacy/form.js +756,Permanently Submit {0}?,Godkend endeligt {0}? +DocType: Address,County,Anvendes ikke DocType: Workflow,If Checked workflow status will not override status in list view,Hvis Kontrolleret workflow status ikke tilsidesætter status i listevisning apps/frappe/frappe/client.py +278,Invalid file path: {0},Ugyldig filsti: {0} DocType: Workflow State,eye-open,eye-open @@ -35,7 +35,7 @@ DocType: Workflow,Document States,Dokument stater apps/frappe/frappe/public/js/frappe/views/pageview.js +104,Sorry! I could not find what you were looking for.,"Undskyld! Jeg kunne ikke finde det, du leder efter." apps/frappe/frappe/config/core.py +42,Logs,Logs DocType: Custom DocPerm,This role update User Permissions for a user,Denne rolle opdatering Bruger Tilladelser for en bruger -apps/frappe/frappe/public/js/frappe/model/model.js +490,Rename {0},Omdøbe {0} +apps/frappe/frappe/public/js/frappe/model/model.js +490,Rename {0},Omdøb {0} DocType: Workflow State,zoom-out,zoom-ud apps/frappe/frappe/public/js/legacy/form.js +67,Cannot open {0} when its instance is open,Kan ikke åbne {0} når dens forekomst er åben apps/frappe/frappe/model/document.py +934,Table {0} cannot be empty,Tabel {0} kan ikke være tomt @@ -45,10 +45,10 @@ DocType: Communication,Reference Owner,henvisning Ejer DocType: Currency,Smallest circulating fraction unit (coin). For e.g. 1 cent for USD and it should be entered as 0.01,"Mindste cirkulerende stambrøk (mønt). For fx 1 cent for USD, og det skal indtastes som 0,01" DocType: Social Login Keys,GitHub,GitHub apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}","{0}, række {1}" -apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,Giv en fullname. +apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,Indtast det fulde navn. apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,Fejl i upload af filer. apps/frappe/frappe/model/document.py +908,Beginning with,Begyndende med -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,Data Import Skabelon +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,Data Import Skabelon apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,Parent DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.","Hvis aktiveret, vil kodeordets styrke blive håndhævet baseret på værdien Minimum Password Score. En værdi på 2 er medium stærk og 4 er meget stærk." DocType: About Us Settings,"""Team Members"" or ""Management""","Team medlemmer" eller "Management" @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,Test Ru DocType: Auto Email Report,Monthly,Månedlig DocType: Email Account,Enable Incoming,Aktiver indgående apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,Fare -apps/frappe/frappe/www/login.html +19,Email Address,E-mailadresse +apps/frappe/frappe/www/login.html +22,Email Address,E-mailadresse DocType: Workflow State,th-large,th-large DocType: Communication,Unread Notification Sent,Ulæst meddelelse Sent -apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,Eksport ikke tilladt. Du har brug for {0} rolle at eksportere. +apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,Udlæsning er ikke tilladt. Du har brug for {0} rolle for at kunne udlæse. DocType: DocType,Is Published Field,Er Udgivet Field DocType: Email Group,Email Group,E-mailgruppe DocType: Note,Seen By,Set af -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,Ikke lide -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,Indstil displayet etiket for feltet +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,Ikke lig med +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,Indstil displayet etiket for feltet apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},Forkert værdi: {0} skal være {1} {2} apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)","Skift egenskaber for feltet (skjul, skrivebeskyttet, tilladelse osv.)" apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,Definer Frappe Server URL i Social Login Keys @@ -76,15 +76,15 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,"Indstill apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,Administrator logget ind DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.","Kontaktmuligheder, som ""Sales Query, Support Query"" etc hver på en ny linje eller adskilt af kommaer." apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. download -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,Indsæt -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},Vælg {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,Indsæt +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},Vælg {0} DocType: Print Settings,Classic,Klassisk DocType: Desktop Icon,Color,Farve apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,For intervaller DocType: Workflow State,indent-right,led-højre DocType: Has Role,Has Role,har rolle apps/frappe/frappe/public/js/frappe/ui/upload.html +12,Web Link,Web Link -DocType: Deleted Document,Restored,Restaureret +DocType: Deleted Document,Restored,Gendannet apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +46,1 minute ago,1 minut siden apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +46,"Recommended bulk editing records via import, or understanding the import format.","Anbefalet bulk-redigering poster via import, eller forstå import format." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +36,"Apart from System Manager, roles with Set User Permissions right can set permissions for other users for that Document Type.","Bortset fra System Manager, roller med Set User Tilladelser ret kan angive tilladelser for andre brugere til at Dokumenttype." @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,LDAP-søgning String DocType: Translation,Translation,Oversættelse apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,Installer DocType: Custom Script,Client,Klient -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,"Denne formular er blevet ændret, efter at du har indlæst det" +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,"Denne formular er blevet ændret, efter at du har indlæst det" DocType: User Permission for Page and Report,User Permission for Page and Report,Bruger Tilladelse til side og rapport DocType: System Settings,"If not set, the currency precision will depend on number format","Hvis ikke angivet, afhænger valutaens præcision af nummerformat" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',Søge efter ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,Integrer billede slideshows i websider. -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,Sende +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,Send DocType: Workflow Action,Workflow Action Name,Workflow Action Name apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,DocType kan ikke flettes DocType: Web Form Field,Fieldtype,FieldType apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,Ikke en zip-fil +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} år siden apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}","Obligatoriske felter, der kræves i tabel {0}, Row {1}" -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,Aktivering hjælper ikke meget. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,Aktivering hjælper ikke meget. DocType: Error Snapshot,Friendly Title,Venlig titel DocType: Newsletter,Email Sent?,E-mail sendt? DocType: Authentication Log,Authentication Log,Authentication Log @@ -133,47 +133,47 @@ apps/frappe/frappe/desk/form/save.py +50,Did not cancel,Ikke annullere DocType: Workflow State,plus,plus apps/frappe/frappe/integrations/oauth2.py +119,Logged in as Guest or Administrator,Logget ind som gæst eller administrator DocType: Email Account,UNSEEN,SES -apps/frappe/frappe/config/desktop.py +19,File Manager,File Manager +apps/frappe/frappe/config/desktop.py +19,File Manager,Filadministrator DocType: OAuth Bearer Token,Refresh Token,Opdater Token apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,Du DocType: Website Theme,lowercase,små bogstaver DocType: Print Format,Helvetica,Helvetica -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,Nyhedsbrev er allerede blevet sendt +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,Nyhedsbrev er allerede blevet sendt DocType: Unhandled Email,Reason,Årsag apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,Angiv venligst bruger DocType: Email Unsubscribe,Email Unsubscribe,Email Afmeld -DocType: Website Settings,Select an image of approx width 150px with a transparent background for best results.,Vælg et billede på ca bredde 150px med en gennemsigtig baggrund for de bedste resultater. +DocType: Website Settings,Select an image of approx width 150px with a transparent background for best results.,Vælg et billede med en ca. bredde på 150px med en gennemsigtig baggrund for det bedste resultat. apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multiple rows,Tilføj flere rækker apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,Den første bruger bliver System Manager (du kan ændre dette senere). ,App Installer,App Installer DocType: Workflow State,circle-arrow-up,cirkel-pil-up -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,Uploader ... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,Uploader ... DocType: Email Domain,Email Domain,E-mail domæne DocType: Workflow State,italic,kursiv apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,For alle apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,{0}: Kan ikke sætte Import uden Opret apps/frappe/frappe/config/desk.py +26,Event and other calendars.,Arrangementet og andre kalendere. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,Træk for at sortere kolonner +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,Træk for at sortere kolonner apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,Bredder kan indstilles i px eller%. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,Start +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,Start DocType: User,First Name,Fornavn DocType: LDAP Settings,LDAP Username Field,LDAP Brugernavn Field DocType: Portal Settings,Standard Sidebar Menu,Standard Sidebar Menu apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,Kan ikke slette Hjem og Tilbehør mapper apps/frappe/frappe/config/desk.py +19,Files,Filer apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,"Tilladelser bliver anvendt på brugere baseret på, hvad Roller de er tildelt." -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,Det er ikke tilladt at sende e-mails relateret til dette dokument +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,Det er ikke tilladt at sende e-mails relateret til dette dokument apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,Vælg atleast 1 kolonne fra {0} at sortere / gruppe DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,Markér dette hvis du tester din betaling ved hjælp af Sandbox API apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,Du har ikke lov til at slette en standard hjemmeside tema DocType: Feedback Trigger,Example,Eksempel DocType: Workflow State,gift,gave -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Reqd +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Reqd apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},Kan ikke finde vedhæftet fil {0} -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,Tildele et tilladelsesniveau til feltet. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,Tildele et tilladelsesniveau til feltet. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,Kan ikke fjerne apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,"Den ressource, du leder efter er ikke tilgængelig" -apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,Vis / Skjul Moduler +apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,Vis / Skjul moduler apps/frappe/frappe/core/doctype/communication/communication_list.js +14,Mark as Read,Marker som læst apps/frappe/frappe/core/doctype/report/report.js +37,Disable Report,Deaktiver rapport DocType: Website Theme,Apply Text Styles,Anvend Teksttypografi @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,Udstilling DocType: Email Group,Total Subscribers,Total Abonnenter apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.","Hvis en rolle ikke har adgang til niveau 0, så giver højere niveauer ingen mening." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,Gem som +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,Gem som DocType: Communication,Seen,Set -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,Vis flere detaljer +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,Vis flere detaljer DocType: System Settings,Run scheduled jobs only if checked,"Kør planlagte job, hvis kontrolleret" apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,"Vil kun blive vist, hvis afsnitsoverskrifter er aktiveret" apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,Arkiv @@ -237,10 +237,10 @@ DocType: Blog Settings,Blog Title,Blog Titel apps/frappe/frappe/core/doctype/role/role.py +24,Standard roles cannot be disabled,Standard roller kan ikke deaktiveres DocType: Newsletter,Newsletter,Nyhedsbrev apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,Kan ikke bruge sub-forespørgsel i rækkefølge efter -DocType: Web Form,Button Help,Button Hjælp +DocType: Web Form,Button Help,Knappen Hjælp DocType: Kanban Board Column,purple,lilla DocType: About Us Settings,Team Members,Team Medlemmer -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,Vedhæft en fil eller angiv en URL +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,Vedhæft en fil eller angiv en URL DocType: Async Task,System Manager,System Manager DocType: Custom DocPerm,Permissions,Tilladelser DocType: Dropbox Settings,Allow Dropbox Access,Tillad Dropbox Access @@ -261,9 +261,9 @@ DocType: Event,yellow,gul apps/frappe/frappe/core/doctype/doctype/doctype.py +543,Is Published Field must be a valid fieldname,Er Udgivet Field skal være en gyldig fieldname apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,Upload Attachment DocType: Block Module,Block Module,Block Module -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,Export Template +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,Udlæs skabelon apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,Ny værdi -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,Ingen tilladelse til at redigere +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,Ingen tilladelse til at redigere apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,Tilføj en kolonne apps/frappe/frappe/www/contact.html +30,Your email address,Din e-mail-adresse DocType: Desktop Icon,Module,Modul @@ -273,15 +273,15 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,er Table DocType: Email Account,Total number of emails to sync in initial sync process ,"Samlet antal e-mails, der skal synkroniseres i indledende synkronisering proces" DocType: Website Settings,Set Banner from Image,Set Banner fra Billede -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,Global søgning +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,Global søgning DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},En ny konto er oprettet til dig på {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,Instruktioner sendt -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),Indtast e-mail Modtager (e) +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),Indtast e-mail Modtager (e) DocType: Print Format,Verdana,Verdana DocType: Email Flag Queue,Email Flag Queue,Email Flag kø apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,Kan ikke identificere åben {0}. Prøv noget andet. -apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +355,Your information has been submitted,Dine oplysninger er blevet indsendt +apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +355,Your information has been submitted,Dine oplysninger er blevet godkendt apps/frappe/frappe/core/doctype/user/user.py +288,User {0} cannot be deleted,Bruger {0} kan ikke slettes DocType: System Settings,Currency Precision,Valuta Præcision apps/frappe/frappe/public/js/frappe/request.js +112,Another transaction is blocking this one. Please try again in a few seconds.,En anden transaktion blokerer denne. Prøv igen om et par sekunder. @@ -291,13 +291,13 @@ DocType: Communication,Message ID,Message-ID DocType: Property Setter,Field Name,Feltnavn apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,ingen Resultat apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,eller -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,modul navn ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,modul navn ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,Fortsætte DocType: Custom Field,Fieldname,Feltnavn DocType: Workflow State,certificate,certifikat DocType: User,Tile,Tile apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,Bekræfter ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,Første data kolonne skal være tom. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,Første data kolonne skal være tom. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,Vis alle versioner DocType: Workflow State,Print,Udskriv DocType: User,Restrict IP,Begræns IP @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,Salg Master manager apps/frappe/frappe/www/complete_signup.html +13,One Last Step,One Last Step apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,"Navn på Dokumenttype (DocType), tilknyt til. f.eks Customer" DocType: User,Roles Assigned,Roller Tildelt -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,Søg Hjælp +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,Søg Hjælp DocType: Top Bar Item,Parent Label,Parent Label apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.","Din forespørgsel er modtaget. Vi vil svare tilbage inden længe. Hvis du har yderligere oplysninger, bedes du besvare denne mail." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,Tilladelser er automatisk oversat til Standard Rapporter og Søgninger. @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,Rediger overskrift DocType: File,File URL,Fil URL DocType: Version,Table HTML,tabel HTML -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,Tilføj Abonnenter -apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,Kommende arrangementer i dag +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,Tilføj Abonnenter +apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,Kommende begivenheder i dag DocType: Email Alert Recipient,Email By Document Field,E-mail ved dokumentfelt apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,Upgrade apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},Kan ikke forbinde: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,Et ord i sig selv er let at gætte. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,Et ord i sig selv er let at gætte. apps/frappe/frappe/www/search.html +11,Search...,Søg... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,Sammenlægning er kun mulig mellem Group-til-koncernen eller Leaf Node-til-Leaf Node apps/frappe/frappe/utils/file_manager.py +43,Added {0},Tilføjet {0} apps/frappe/frappe/www/search.html +28,No matching records. Search something new,Ingen tilsvarende data. Søg noget nyt DocType: Currency,Fraction Units,Fraktion Enheder -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} fra {1} til {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} fra {1} til {2} DocType: Communication,Type,Type +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Opsæt venligst standard e-mail-konto fra Opsætning> Email> E-mail-konto DocType: Authentication Log,Subject,Emne DocType: Web Form,Amount Based On Field,Beløb baseret på Field apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,Bruger er obligatorisk for Share @@ -349,53 +350,53 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0} skal in apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.","Brug et par ord, undgå almindelige sætninger." DocType: Workflow State,plane,fly apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,Ups. Din betaling mislykkedes. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Hvis du uploader nye rekorder, "Navngivning Series" bliver obligatorisk, hvis den findes." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Hvis du uploader nye rekorder, "Navngivning Series" bliver obligatorisk, hvis den findes." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,Få Advarsler for dag apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,DocType kan kun blive omdøbt af Administrator -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},ændrede værdi af {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},ændrede værdi af {0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,Tjek din e-mail til verifikation apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,Fold kan ikke være i slutningen af formularen DocType: Communication,Bounced,Afviste DocType: Deleted Document,Deleted Name,slettet Navn -apps/frappe/frappe/config/setup.py +14,System and Website Users,System- og Websitebrugere +apps/frappe/frappe/config/setup.py +14,System and Website Users,System- og hjemmesidebrugere DocType: Workflow Document State,Doc Status,Doc status DocType: Auto Email Report,No of Rows (Max 500),Antal rækker (Max 500) -DocType: Language,Language Code,sprogkoder +DocType: Language,Language Code,Sprogkode apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...","Din download bliver bygget, kan det tage et øjeblik ..." apps/frappe/frappe/www/feedback.html +23,Your rating: ,Din bedømmelse: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} og {1} +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} og {1} DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents",Altid tilføje "Udkast" Overskrift til udskrivning kladder -DocType: About Us Settings,Website Manager,Website manager +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,E-mail er blevet markeret som spam +DocType: About Us Settings,Website Manager,Webmaster apps/frappe/frappe/model/document.py +1048,Document Queued,dokument kø DocType: Desktop Icon,List,Liste DocType: Communication,Link Name,Link Navn apps/frappe/frappe/core/doctype/doctype/doctype.py +413,Field {0} in row {1} cannot be hidden and mandatory without default,Field {0} i række {1} kan ikke skjules og obligatoriske uden standard -DocType: System Settings,mm/dd/yyyy,dd / mm / åååå -apps/frappe/frappe/core/doctype/user/user.py +872,Invalid Password: ,Forkert kodeord: +DocType: System Settings,mm/dd/yyyy,dd/mm/åååå +apps/frappe/frappe/core/doctype/user/user.py +872,Invalid Password: ,Forkert adgangskode: DocType: Print Settings,Send document web view link in email,Send dokument web view link i e-mail apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,Din feedback til dokument {0} er gemt apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,Forrige -apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,Re: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} rækker for {1} +apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,Sv: +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} rækker for {1} DocType: Currency,"Sub-currency. For e.g. ""Cent""",Sub-valuta. For eksempel "Cent" apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,Vælg uploadet fil DocType: Letter Head,Check this to make this the default letter head in all prints,Afkryds dette for at gøre dette til den standard brev hovedet i alle udskrifter DocType: Print Format,Server,Server -apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +191,New Kanban Board,New Kanban Board +apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +191,New Kanban Board,Ny kanbantavle DocType: Desktop Icon,Link,Link apps/frappe/frappe/utils/file_manager.py +96,No file attached,Ingen fil vedhæftet DocType: Version,Version,Version DocType: User,Fill Screen,Udfyld skærm -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Kan ikke vise dette træ rapport, på grund af manglende data. Mest sandsynligt er det at blive filtreret ud på grund af tilladelser." -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. Vælg Filer -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,Edit via Upload -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer","dokumenttype ..., fx kunde" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Kan ikke vise dette træ rapport, på grund af manglende data. Mest sandsynligt er det at blive filtreret ud på grund af tilladelser." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. Vælg Filer +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,Edit via Upload +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer","dokumenttype ..., fx kunde" apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,Tilstanden '{0}' er ugyldig -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Opsætning> Brugerrettigheder DocType: Workflow State,barcode,stregkode apps/frappe/frappe/config/setup.py +226,Add your own translations,Tilføj dine egne oversættelser -DocType: Country,Country Name,Land Navn +DocType: Country,Country Name,Landenavn DocType: About Us Team Member,About Us Team Member,Om os Team medlem apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +5,"Permissions are set on Roles and Document Types (called DocTypes) by setting rights like Read, Write, Create, Delete, Submit, Cancel, Amend, Report, Import, Export, Print, Email and Set User Permissions.","Tilladelser er indstillet på Roller og dokumenttyper (kaldet doctypes) ved at indstille rettigheder som Læs, Skriv, Opret, Slet, Send, Annuller, Tekst, Rapport, import, eksport, Print, E-mail og Set User Tilladelser." DocType: Event,Wednesday,Onsdag @@ -411,13 +412,15 @@ DocType: Workflow State,exclamation-sign,udråbstegn-sign apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,Vis Tilladelser apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,Tidslinje felt skal være et link eller Dynamic Link apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,Du installere dropbox python-modul +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,Datointerval apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,Gantt apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},Side {0} af {1} DocType: About Us Settings,Introduce your company to the website visitor.,Introducere din virksomhed til hjemmesiden besøgende. +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json",Krypteringsnøglen er ugyldig. Kontroller site_config.json apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,Til DocType: Kanban Board Column,darkgrey,mørkegrå apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},Vellykket: {0} til {1} -apps/frappe/frappe/printing/doctype/print_format/print_format.js +18,Please duplicate this to make changes,Venligst duplikere denne til at foretage ændringer +apps/frappe/frappe/printing/doctype/print_format/print_format.js +18,Please duplicate this to make changes,"Duplikér denne, for at foretage ændringer" apps/frappe/frappe/utils/pdf.py +36,PDF generation failed because of broken image links,PDF-dannelse mislykkedes på grund af brudte billedelinks DocType: Print Settings,Font Size,Skriftstørrelse DocType: System Settings,Disable Standard Email Footer,Deaktiver standard e-mail-sidefod @@ -425,7 +428,7 @@ DocType: Workflow State,facetime-video,FaceTime-video apps/frappe/frappe/website/doctype/blog_post/blog_post.py +78,1 comment,1 kommentar DocType: Email Alert,Days Before,Dage før DocType: Workflow State,volume-down,volumen-down -apps/frappe/frappe/desk/reportview.py +251,No Tags,ingen Tags +apps/frappe/frappe/desk/reportview.py +251,No Tags,Ingen tags DocType: DocType,List View Settings,List Vis Indstillinger DocType: Email Account,Send Notification to,Send meddelelse til DocType: DocField,Collapsible,Sammenklappelig @@ -442,14 +445,14 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,Mere DocType: Contact,Sales Manager,Salgschef apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,Omdøb DocType: Print Format,Format Data,Format af data -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,Lignende +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,Lignende DocType: Customize Form Field,Customize Form Field,Tilpas Form Field apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,Tillad Bruger DocType: OAuth Client,Grant Type,Grant Type apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,"Kontrollere, hvilke dokumenter er læses af en bruger" apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,bruge% som wildcard -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?","E-mail Domæne ikke konfigureret til denne konto, Opret en?" -DocType: User,Reset Password Key,Nulstil adgangskode Key +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?","E-mail Domæne ikke konfigureret til denne konto, Opret en?" +DocType: User,Reset Password Key,Nulstil adgangskode DocType: Email Account,Enable Auto Reply,Aktiver autosvar apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,Ikke set DocType: Workflow State,zoom-in,zoom-ind @@ -460,16 +463,16 @@ DocType: DocField,Width,Bredde DocType: Email Account,Notify if unreplied,"Informer, hvis unreplied" DocType: System Settings,Minimum Password Score,Mindste adgangskode score DocType: DocType,Fields,Felter -DocType: System Settings,Your organization name and address for the email footer.,Din organisation navn og adresse til e-mail sidefoden. +DocType: System Settings,Your organization name and address for the email footer.,Dit firmas navn og adresse til e-mail-sidefoden. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,Parent Table apps/frappe/frappe/config/desktop.py +60,Developer,Udvikler -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,Oprettet +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,Oprettet apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} i række {1} kan ikke have både URL og underordnede elementer apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,Root {0} kan ikke slettes apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,Ingen kommentarer endnu apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,Både DocType og Navn påkrævet apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,Kan ikke ændre docstatus 1-0 -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,Tag backup nu +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,Tag sikkerhedskopi nu apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,Velkommen apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,Installerede apps DocType: Communication,Open,Åben @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,Fra Navn apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},Du behøver ikke have adgang til Rapporter: {0} DocType: User,Send Welcome Email,Send velkomst-e-mail apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,"Upload CSV-fil, der indeholder alle brugertilladelser i samme format som download." -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,Fjern Filter +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,Fjern Filter DocType: Address,Personal,Personlig apps/frappe/frappe/config/setup.py +113,Bulk Rename,Bulk Omdøb DocType: Email Queue,Show as cc,Vis som cc DocType: DocField,Heading,Overskrift DocType: Workflow State,resize-vertical,resize-lodret -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. Upload +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. Upload DocType: Contact Us Settings,Introductory information for the Contact Us Page,Indledende informationer til Kontakt os Side DocType: Web Page,CSS,CSS DocType: Workflow State,thumbs-down,tommelfingeren nedad @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,I Global Search DocType: Workflow State,indent-left,led-venstre apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,Det er risikabelt at slette denne fil: {0}. Kontakt din systemadministrator. DocType: Currency,Currency Name,Valuta Navn -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,ingen e-mails +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,ingen e-mails DocType: Report,Javascript,Javascript DocType: File,Content Hash,Indhold Hash DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,Gemmer JSON af sidste kendte versioner af forskellige installerede apps. Det bruges til at vise release notes. @@ -533,7 +536,7 @@ DocType: DocType,Sort Order,Sorteringsrækkefølge apps/frappe/frappe/core/doctype/doctype/doctype.py +421,'In List View' not allowed for type {0} in row {1},'I Listevisning' ikke tilladt for type {0} i række {1} DocType: Custom Field,Select the label after which you want to insert new field.,"Vælg den etiket, hvorefter du vil indsætte nyt felt." ,Document Share Report,Dokument Del Report -DocType: User,Last Login,Sidste login +DocType: User,Last Login,Sidste log ind apps/frappe/frappe/core/doctype/doctype/doctype.py +581,Fieldname is required in row {0},Feltnavn kræves i række {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +4,Column,Kolonne DocType: Custom Field,Adds a custom field to a DocType,Tilføjer et brugerdefineret felt til et DocType @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',Bruger '{0}' har allerede rollen '{1}' apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,Upload og Sync apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},Delt med {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,Opsige abonnement +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,Afmeld abonnement DocType: Communication,Reference Name,Henvisning Navn apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,Chat Support DocType: Error Snapshot,Exception,Undtagelse @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,Nyhedsbrev manager apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,Mulighed 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,Alle indlæg apps/frappe/frappe/config/setup.py +89,Log of error during requests.,Log af fejl under anmodninger. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} er blevet føjet til e-mailgruppen. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,Lav fil (er) private eller offentlige? -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},Planlagt at sende til {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} er blevet føjet til e-mailgruppen. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,Lav fil (er) private eller offentlige? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},Planlagt at sende til {0} DocType: Kanban Board Column,Indicator,Indikator DocType: DocShare,Everyone,Alle DocType: Workflow State,backward,bagud @@ -583,48 +586,49 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,Sidst opd apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,er ikke tilladt. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,Se Abonnenter DocType: Website Theme,Background Color,Baggrundsfarve -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,Der var fejl under afsendelse af e-mail. Prøv venligst igen. +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,Der var fejl under afsendelse af e-mail. Prøv venligst igen. DocType: Portal Settings,Portal Settings,Portal Indstillinger DocType: Web Page,0 is highest,0 er højest apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,Er du sikker på du vil linke denne kommunikation til {0}? -apps/frappe/frappe/www/login.html +99,Send Password,Send adgangskodeord +apps/frappe/frappe/www/login.html +104,Send Password,Send adgangskode apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,Vedhæftede filer apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,Du behøver ikke tilladelser til at få adgang dette dokument -DocType: Language,Language Name,Sprog Navn +DocType: Language,Language Name,Sprognavn DocType: Email Group Member,Email Group Member,E-mailgruppemedlem -DocType: Email Alert,Value Changed,Value Ændret +DocType: Email Alert,Value Changed,Værdi ændret apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},Duplicate navn {0} {1} DocType: Web Form Field,Web Form Field,Web Form Field -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,Skjul feltet i Report Builder +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,Skjul feltet i rapportgeneratoren apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,Rediger HTML -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,Gendan Originale Tilladelser +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,Gendan originale tilladelser DocType: Address,Shop,Butik DocType: DocField,Button,Knap +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,{0} er nu standard printformat til {1} doktype apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,Arkiverede kolonner DocType: Email Account,Default Outgoing,Standard Udgående DocType: Workflow State,play,spille apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,Klik på linket nedenfor for at fuldføre din registrering og angive en ny adgangskode -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,Ikke tilføje +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,Ikke tilføje apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,Ingen e-mail konti Tildelt DocType: Contact Us Settings,Contact Us Settings,Kontakt os Indstillinger -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,Søger ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,Søger ... DocType: Workflow State,text-width,tekst-bredde apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,Maksimal Attachment for denne rekord nået. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,Følgende obligatoriske felter skal udfyldes:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,Følgende obligatoriske felter skal udfyldes:
    DocType: Email Alert,View Properties (via Customize Form),Se Egenskaber (via Customize Form) DocType: Note Seen By,Note Seen By,Note set af apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,Prøv at bruge en længere tastatur mønster med flere omgange DocType: Feedback Trigger,Check Communication,Tjek kommunikation -apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,Rapportgeneratorens rapporter forvaltes direkte af rapportgeneratoren. Intet at gøre. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,Bekræft din e-mail adresse +apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,Rapportgeneratorens rapporter administreres direkte af rapportgeneratoren. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,Bekræft din e-mail adresse apps/frappe/frappe/model/document.py +907,none of,ingen af apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,Send mig en kopi apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,Upload Bruger Tilladelser DocType: Dropbox Settings,App Secret Key,App Secret Key -apps/frappe/frappe/config/website.py +7,Web Site,Internet side +apps/frappe/frappe/config/website.py +7,Web Site,Internetside apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,Markerede elementer vil blive vist på skrivebordet apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} kan ikke indstilles for Single typer -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,Kanban Board {0} findes ikke. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,Kanbantavle {0} findes ikke. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} læser dette dokument DocType: ToDo,Assigned By Full Name,Tildelt af navn apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0} opdateret @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,{0} dag DocType: Email Account,Awaiting Password,afventer adgangskode DocType: Address,Address Line 1,Adresse DocType: Custom DocPerm,Role,Rolle -apps/frappe/frappe/utils/data.py +429,Cent,Cent -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,Compose Email +apps/frappe/frappe/utils/data.py +430,Cent,Cent +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,Compose Email apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).","Stater for workflow (f.eks Udkast, Godkendt, Annulleret)." DocType: Print Settings,Allow Print for Draft,Tillad Print til Udkast -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,Sæt Mængde -apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,Indsend dette dokument for at bekræfte +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,Sæt Mængde +apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,Godkend dette dokument for at bekræfte DocType: User,Unsubscribed,Afmeldt apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,Indstil brugerdefinerede roller for side og rapport apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,Bedømmelse: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,Kan ikke finde UIDVALIDITY i imap status svar +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,Kan ikke finde UIDVALIDITY i imap status svar ,Data Import Tool,Data Import Tool -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,Overførsel af filer skal du vente et par sekunder. +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,Overførsel af filer skal du vente et par sekunder. apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,Vedhæft dit billede apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,Row Værdier Ændret DocType: Workflow State,Stop,Stands @@ -676,7 +680,7 @@ DocType: Feedback Trigger,"To add dynamic subject, use jinja tags like apps/frappe/frappe/desk/page/applications/applications.py +103,App {0} removed,App {0} fjernet DocType: Custom DocPerm,Apply User Permissions,Tilføj brugertilladelser DocType: User,Modules HTML,Moduler HTML -apps/frappe/frappe/public/js/frappe/ui/field_group.js +78,Missing Values Required,Manglende værdier Nødvendig +apps/frappe/frappe/public/js/frappe/ui/field_group.js +78,Missing Values Required,Manglende værdier skal angives DocType: DocType,Other Settings,Andre indstillinger DocType: Social Login Keys,Frappe,frappe apps/frappe/frappe/core/doctype/communication/communication_list.js +17,Mark as Unread,Marker som ulæst @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,Søg Felter DocType: OAuth Bearer Token,OAuth Bearer Token,OAuth Bærer token apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,Ingen dokument valgt DocType: Event,Event,Begivenhed -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:","Den {0}, {1} skrev:" +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:","Den {0}, {1} skrev:" apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,"Kan ikke slette standard felt. Du kan skjule det, hvis du ønsker" DocType: Top Bar Item,For top bar,For top bar apps/frappe/frappe/utils/bot.py +148,Could not identify {0},Kunne ikke identificere {0} @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,Ejendom Setter apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,Vælg bruger eller DocType at starte. DocType: Web Form,Allow Print,Tillad Print apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,Ingen Apps Installeret -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,Markere feltet som Obligatorisk +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,Markere feltet som Obligatorisk DocType: Communication,Clicked,Klikkede apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},Ingen tilladelse til '{0}' {1} DocType: User,Google User ID,Google bruger-id @@ -727,7 +731,7 @@ DocType: Event,orange,orange apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,Ingen {0} fundet apps/frappe/frappe/config/setup.py +236,Add custom forms.,Tilføj brugerdefinerede formularer. apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} i {2} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,forelagde dette dokument +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,godkendte dette dokument apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,Systemet giver mange foruddefinerede roller. Du kan tilføje nye roller at indstille finere tilladelser. DocType: Communication,CC,CC DocType: Address,Geo,Geo @@ -735,16 +739,17 @@ apps/frappe/frappe/desk/page/applications/applications.js +46,Domains,Domæner DocType: Blog Category,Blog Category,Blog Kategori apps/frappe/frappe/model/mapper.py +119,Cannot map because following condition fails: ,"Kan ikke kort, fordi følgende betingelse mislykkes:" DocType: Role Permission for Page and Report,Roles HTML,Roller HTML -apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Select a Brand Image first.,Vælg først et image. +apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Select a Brand Image first.,Vælg først et varemærkebillede. apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,Aktiv -apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,Indsæt Nedenfor +apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,Indsæt nedenfor DocType: Event,Blue,Blå -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,Alle tilpasninger vil blive fjernet. Bekræft venligst. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,Alle tilpasninger vil blive fjernet. Bekræft venligst. +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,E-mail-adresse eller mobilnummer DocType: Page,Page HTML,Side HTML apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,Alfabetisk stigende apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,Yderligere noder kan kun oprettes under 'koncernens typen noder DocType: Web Page,Header,Overskrift -apps/frappe/frappe/public/js/frappe/model/model.js +80,Unknown Column: {0},Ukendt Kolonne: {0} +apps/frappe/frappe/public/js/frappe/model/model.js +80,Unknown Column: {0},Ukendt kolonne: {0} DocType: Email Alert Recipient,Email By Role,E-mail Ved Rolle apps/frappe/frappe/core/page/permission_manager/permission_manager.js +301,Users with role {0}:,Brugere med rollen {0}: apps/frappe/frappe/desk/page/applications/applications.py +83,Installing App {0},Installation App {0} @@ -764,30 +769,30 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +23,Al DocType: Event,Saturday,Lørdag DocType: User,Represents a User in the system.,Repræsenterer en bruger i systemet. DocType: Communication,Label,Label -apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","Opgaven {0}, som du har tildelt {1}, er blevet lukket." -DocType: User,Modules Access,Moduler Adgang -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,Luk dette vindue +apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","Opgaven {0}, som du har tildelt til {1}, er blevet lukket." +DocType: User,Modules Access,Adgang til moduler +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,Luk dette vindue DocType: Print Format,Print Format Type,Print Format Type DocType: Newsletter,A Lead with this Email Address should exist,Et emne med denne e-mailadresse skal eksistere -apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,Open Source Ansøgninger til Web +apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,Open Source-løsninger til internettet DocType: Website Theme,"Add the name of a ""Google Web Font"" e.g. ""Open Sans""",Tilføj navnet på en "Google Web Font" fx "Open Sans" apps/frappe/frappe/public/js/frappe/request.js +141,Request Timed Out,Opstod timeout for anmodningen DocType: Role Permission for Page and Report,Allow Roles,Tillad Roller DocType: DocType,Hide Toolbar,Skjul værktøjslinje DocType: User,Last Active,Sidst aktiv DocType: Email Account,SMTP Settings for outgoing emails,SMTP Indstillinger for udgående e-mails -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,Import mislykkedes +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,Import mislykkedes apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,Dit password er blevet opdateret. Her er din nye adgangskode DocType: Email Account,Auto Reply Message,Autosvarbesked DocType: Feedback Trigger,Condition,Tilstand -apps/frappe/frappe/utils/data.py +521,{0} hours ago,{0} timer siden -apps/frappe/frappe/utils/data.py +531,1 month ago,1 måned siden +apps/frappe/frappe/utils/data.py +522,{0} hours ago,{0} timer siden +apps/frappe/frappe/utils/data.py +532,1 month ago,1 måned siden DocType: Contact,User ID,Bruger-id DocType: Communication,Sent,Sent DocType: File,Lft,LFT DocType: User,Simultaneous Sessions,Samtidige Sessions DocType: OAuth Client,Client Credentials,Client legitimationsoplysninger -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,Åbn en modul eller værktøj +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,Åbn en modul eller værktøj DocType: Communication,Delivery Status,Levering status DocType: Module Def,App Name,App Name apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,Max filstørrelse tilladt er {0} MB @@ -808,45 +813,44 @@ DocType: Address,Address Type,Adressetype apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,"Ugyldigt brugernavn eller support adgangskode. Venligst rette, og prøv igen." DocType: Email Account,Yahoo Mail,Yahoo Mail apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,Dit abonnement udløber i morgen. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,Gemt! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,Gemt! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},Opdateret {0}: {1} DocType: DocType,User Cannot Create,Brugeren må ikke oprette apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,Folder {0} findes ikke -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,Dropbox adgang er godkendt! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,Dropbox adgang er godkendt! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.","Disse vil også blive indstillet som standardværdier for disse links, hvis kun én sådan tilladelse rekord er defineret." DocType: Customize Form,Enter Form Type,Indtast Form Type apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,Ingen poster markeret. apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +466,Remove Field,Fjern Field -DocType: User,Send Password Update Notification,Send adgangskode Update Notification +DocType: User,Send Password Update Notification,Send meddelelse vedr. opdateret adgangskode apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!","At tillade DocType, DocType. Vær forsigtig!" apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email","Tilpassede formater til udskrivning, e-mail" -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,Opdateret Til Ny version +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,Opdateret Til Ny version DocType: Custom Field,Depends On,Afhænger af DocType: Event,Green,Grøn DocType: Custom DocPerm,Additional Permissions,Yderligere tilladelser DocType: Email Account,Always use Account's Email Address as Sender,Brug altid kontos e-mail-adresse som afsender apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,Login for at kommentere apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,Begynde at indtaste data under denne linje -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},ændrede værdier for {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},ændrede værdier for {0} DocType: Workflow State,retweet,retweet -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,"Opdatere skabelonen og gemme i CSV (Comma separate værdier) format, før du sætter." -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,Angiv værdien af feltet +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,Angiv værdien af feltet DocType: Report,Disabled,Deaktiveret DocType: Workflow State,eye-close,eye-close DocType: OAuth Provider Settings,OAuth Provider Settings,OAuth Provider Indstillinger apps/frappe/frappe/config/setup.py +248,Applications,Applikationer -apps/frappe/frappe/public/js/frappe/request.js +328,Report this issue,Rapporter dette spørgsmål +apps/frappe/frappe/public/js/frappe/request.js +328,Report this issue,Rapporter dette problem apps/frappe/frappe/public/js/frappe/form/save.js +79,Name is required,Navn er påkrævet DocType: Custom Script,Adds a custom script (client or server) to a DocType,Tilføjer en brugerdefineret script (klient eller server) til en DocType -DocType: Address,City/Town,By / Town +DocType: Address,City/Town,By apps/frappe/frappe/email/doctype/email_alert/email_alert.py +69,Cannot set Email Alert on Document Type {0},Kan ikke sætte Email Alert on Dokumenttype {0} -DocType: Address,Is Your Company Address,Er din Virksomhed Adresse +DocType: Address,Is Your Company Address,Er din virksomhedsadresse apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,Redigering af række DocType: Workflow Action,Workflow Action Master,Workflow Action Master DocType: Custom Field,Field Type,Field Type -apps/frappe/frappe/utils/data.py +446,only.,alene. +apps/frappe/frappe/utils/data.py +447,only.,alene. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,"Undgå år, der er forbundet med dig." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,Faldende +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,Faldende apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,"Ugyldig Mail Server. Venligst rette, og prøv igen." DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.","For links Indtast DocType interval. For Vælg, indtast liste over muligheder, hver på en ny linje." @@ -855,19 +859,18 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},Ingen tillad apps/frappe/frappe/config/desktop.py +8,Tools,Værktøj apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,Undgå senere år. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,Flere root noder er ikke tilladt. -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,E-mail-konto er ikke konfigureret. Opret en ny e-mail-konto fra Opsætning> Email> E-mail-konto DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.","Hvis aktiveret, vil brugerne blive underrettet hver gang de logger ind. Hvis ikke aktiveret, meddeles brugerne kun en gang." DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.","Hvis markeret, vil brugerne ikke se dialogboksen Bekræft Access." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,ID felt er påkrævet at redigere værdier ved hjælp af rapporten. Vælg ID-feltet ved hjælp af kolonne Picker +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,ID felt er påkrævet at redigere værdier ved hjælp af rapporten. Vælg ID-feltet ved hjælp af kolonne Picker apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,Kommentarer -apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,Bekræfte +apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,Bekræft apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,Skjul alle apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,Installer {0}? -apps/frappe/frappe/www/login.html +71,Forgot Password?,Glemt kodeord? +apps/frappe/frappe/www/login.html +76,Forgot Password?,Glemt adgangskode? DocType: System Settings,yyyy-mm-dd,yyyy-mm-dd apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,ID apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,Server Fejl -apps/frappe/frappe/email/doctype/email_account/email_account.py +44,Login Id is required,Login-id er påkrævet +apps/frappe/frappe/email/doctype/email_account/email_account.py +44,Login Id is required,Brugernavn skal angives DocType: Website Slideshow,Website Slideshow,Website Slideshow apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +6,No Data,Ingen data DocType: Website Settings,"Link that is the website home page. Standard Links (index, login, products, blog, about, contact)","Link, der er hjemmesiden startside. Standard Links (indeks, login, produkter, blog, om, kontakt)" @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,Facebook Bruger-id DocType: Workflow State,fast-forward,hurtigt fremad DocType: Communication,Communication,Kommunikation apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.","Tjek kolonner for at vælge, trække for at sætte orden." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,"Dette er PERMANENT handling, og du kan ikke fortryde. Fortsæt?" +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,"Dette er PERMANENT handling, og du kan ikke fortryde. Fortsæt?" DocType: Event,Every Day,Hver dag DocType: LDAP Settings,Password for Base DN,Password til Base DN apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,tabel Field @@ -901,7 +904,7 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +8,For User,For br apps/frappe/frappe/core/doctype/user/user.py +714,Temperorily Disabled,Temperorily Disabled apps/frappe/frappe/desk/page/applications/applications.py +88,{0} Installed,{0} Installeret apps/frappe/frappe/email/doctype/contact/contact.py +74,Please set Email Address,Angiv e-mail adresse -DocType: User,"If the user has any role checked, then the user becomes a ""System User"". ""System User"" has access to the desktop","Hvis brugeren har nogen rolle markeret, så brugeren bliver en "System User". "System Bruger" har adgang til skrivebordet" +DocType: User,"If the user has any role checked, then the user becomes a ""System User"". ""System User"" has access to the desktop","Hvis brugeren har blot én rolle markeret, så bliver brugeren en ""Systembruger"". Systembrugere har adgang til skrivebordet" DocType: System Settings,Date and Number Format,Dato og nummer Format apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +169,Max attachment size is {0}MB,Max vedhæftet størrelse er {0} MB apps/frappe/frappe/model/document.py +906,one of,en af @@ -913,15 +916,15 @@ DocType: Web Form,Actions,Handlinger DocType: Workflow State,align-justify,tilpasse-retfærdiggøre DocType: User,Middle Name (Optional),Mellemnavn (valgfrit) apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,Ikke Tilladt -apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,Følgende områder har manglende værdier: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,Du har ikke rettigheder til at fuldføre handlingen -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,Ingen resultater +apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,Følgende felter skal udfyldes: +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,Du har ikke rettigheder til at fuldføre handlingen +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,Ingen resultater DocType: System Settings,Security,Sikkerhed -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,Planlagt at sende til {0} modtagere +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,Planlagt at sende til {0} modtagere apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},omdøbt fra {0} til {1} DocType: Currency,**Currency** Master,** Valuta ** Master DocType: Email Account,No of emails remaining to be synced,Ingen af emails der mangler at blive synkroniseret -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,Upload +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,Upload apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,"Gem venligst dokumentet, før opgaven" DocType: Website Settings,Address and other legal information you may want to put in the footer.,"Adresse og andre juridiske oplysninger, du måske ønsker at sætte i sidefoden." DocType: Website Sidebar Item,Website Sidebar Item,Website Sidebar Item @@ -933,24 +936,24 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +47,{0} minutes ago,{0} DocType: Kanban Board Column,lightblue,lyseblå apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +18,1. Select Columns,1. Vælg kolonner apps/frappe/frappe/templates/includes/list/filters.html +19,clear,klar -apps/frappe/frappe/desk/doctype/event/event.py +30,Every day events should finish on the same day.,Hver dag begivenheder bør slutte på samme dag. +apps/frappe/frappe/desk/doctype/event/event.py +30,Every day events should finish on the same day.,Hverdagsbegivenheder skal starte og slutte på samme dag. DocType: Communication,User Tags,User Tags DocType: Workflow State,download-alt,Download-alt apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App {0},Download af App {0} DocType: Communication,Feedback Request,Feedback Request apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,Følgende områder mangler: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,Eksperimentel Feature -apps/frappe/frappe/www/login.html +25,Sign in,Log ind +apps/frappe/frappe/www/login.html +30,Sign in,Log ind DocType: Web Page,Main Section,Main Section DocType: Page,Icon,Ikon apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,at filtrere værdier mellem 5 & 10 apps/frappe/frappe/core/doctype/user/user.py +871,"Hint: Include symbols, numbers and capital letters in the password","Tip: Medtag symboler, tal og store bogstaver i adgangskoden" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +85,PDF,PDF DocType: System Settings,dd/mm/yyyy,dd/mm/åååå -DocType: System Settings,Backups,Backups +DocType: System Settings,Backups,Sikkerhedskopier apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,Tilføj Kontakt DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,Valgfrit: Send altid til disse id'er. Hver e-mail-adresse på en ny række -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,Skjul detaljer +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,Skjul detaljer DocType: Workflow State,Tasks,Opgaver DocType: Event,Tuesday,Tirsdag DocType: Blog Settings,Blog Settings,Blog Indstillinger @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,Forfaldsdato apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,Quarter Dag DocType: Social Login Keys,Google Client Secret,Google Client Secret DocType: Website Settings,Hide Footer Signup,Skjul Footer Tilmelding -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,annulleret dette dokument +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,annulleret dette dokument apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,"Skriv en Python-fil i den samme mappe, hvor det er gemt og returnere kolonnen og resultat." DocType: DocType,Sort Field,Sort Field DocType: Razorpay Settings,Razorpay Settings,Razorpay Indstillinger -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,Rediger filter +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,Rediger filter apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,Field {0} af typen {1} kan ikke være obligatorisk DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User","f.eks. Hvis Anvend User Tilladelser kontrolleres for Rapport DocType men ingen User Tilladelser er defineret for Rapport for en bruger, så alle rapporter er vist til at Bruger" apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,Skjul diagram DocType: System Settings,Session Expiry Mobile,Session Udløb Mobile apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,Søgeresultater for apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,Vælg Download: -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,Hvis {0} er tilladt +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,Hvis {0} er tilladt DocType: Custom DocPerm,If user is the owner,Hvis bruger er ejeren ,Activity,Aktivitet DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Help: At linke til en anden post i systemet, skal du bruge "# Form / Note / [Note navn]" som Link URL. (Brug ikke "http: //")" apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,Undgå gentagne ord og tegn DocType: Communication,Delayed,Forsinket apps/frappe/frappe/config/setup.py +128,List of backups available for download,Liste over sikkerhedskopier til rådighed for download -apps/frappe/frappe/www/login.html +84,Sign up,Tilmeld dig +apps/frappe/frappe/www/login.html +89,Sign up,Tilmeld dig DocType: Integration Request,Output,Produktion apps/frappe/frappe/config/setup.py +220,Add fields to forms.,Tilføj felter til formularer. DocType: File,rgt,RGT @@ -995,7 +998,7 @@ DocType: User Email,Email ID,E-mail-id DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,"En liste over ressourcer, som Client App vil have adgang til, efter at brugeren tillader det.
    fx projekt" DocType: Translation,Translated Text,Oversat tekst DocType: Contact Us Settings,Query Options,Query Options -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,Import vellykket! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,Import vellykket! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,Opdatering Records DocType: Error Snapshot,Timestamp,Tidsstempel DocType: Patch Log,Patch Log,Patch Log @@ -1009,25 +1012,25 @@ DocType: System Settings,Setup Complete,Setup Complete apps/frappe/frappe/config/setup.py +66,Report of all document shares,Rapport fra alle dokumentsider aktier apps/frappe/frappe/www/update-password.html +18,New Password,Ny adgangskode apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,Filter {0} mangler -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,Undskyld! Du kan ikke slette autogenererede kommentarer +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,Undskyld! Du kan ikke slette autogenererede kommentarer DocType: Website Theme,Style using CSS,Style ved hjælp af CSS apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,Henvisning DocType DocType: User,System User,Systembruger DocType: Report,Is Standard,Er standard DocType: Desktop Icon,_report,_rapport DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field","Må ikke HTML Encode HTML tags som <script> eller bare tegn som <eller>, som de kunne være bevidst anvendes i dette område" -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,Angiv en standard værdi +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,Angiv en standard værdi DocType: Website Settings,FavIcon,Favicon apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,"Mindst er obligatorisk, før du anmoder tilbagemeldinger ét svar" DocType: Workflow State,minus-sign,minus-tegn DocType: Event,skyblue,Himmelblå apps/frappe/frappe/public/js/frappe/request.js +77,Not Found,Ikke fundet apps/frappe/frappe/www/printview.py +193,No {0} permission,Ingen {0} tilladelser -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Custom Permissions,Eksport brugerdefinerede tilladelser -DocType: Authentication Log,Login,Logon +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Custom Permissions,Udlæs brugerdefinerede tilladelser +DocType: Authentication Log,Login,Log ind DocType: Web Form,Payments,Betalinger DocType: System Settings,Enable Scheduled Jobs,Aktiver planlagte Jobs -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,Bemærkninger: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,Bemærkninger: apps/frappe/frappe/www/message.html +19,Status: {0},Status: {0} DocType: DocShare,Document Name,Dokumentnavn apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,Marker som spam @@ -1041,17 +1044,17 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,Vis eller apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,Fra dato apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,Succes apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},Feedback Anmodning om {0} sendes til {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,Sessionen er udløbet -DocType: Kanban Board Column,Kanban Board Column,Kanban Board Column +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,Sessionen er udløbet +DocType: Kanban Board Column,Kanban Board Column,Kanbantavlekolonne apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,Lige rækker af taster er nemme at gætte DocType: Communication,Phone No.,Telefonnr. DocType: Workflow State,fire,brand -DocType: Async Task,Async Task,Async Opgave +DocType: Async Task,Async Task,Asynkron opgave DocType: Workflow State,picture,billede apps/frappe/frappe/www/complete_signup.html +22,Complete,Komplet DocType: Customize Form,Image Field,Billedfelt DocType: Print Format,Custom HTML Help,Tilpasset HTML Hjælp -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,Tilføj en ny restriktion +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,Tilføj en ny restriktion apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,Se på hjemmesiden DocType: Workflow Transition,Next State,Næste tilstand DocType: User,Block Modules,Blokmodulerne @@ -1059,20 +1062,20 @@ apps/frappe/frappe/model/db_schema.py +141,Reverting length to {0} for '{1}' in DocType: Print Format,Custom CSS,Brugerdefinerede CSS apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +4,Add a comment,Tilføj en kommentar apps/frappe/frappe/model/rename_doc.py +375,Ignored: {0} to {1},Ignoreret: {0} til {1} -apps/frappe/frappe/config/setup.py +84,Log of error on automated events (scheduler).,Log af fejl på automatiserede hændelser (scheduler). +apps/frappe/frappe/config/setup.py +84,Log of error on automated events (scheduler).,Logger fejl på automatiserede begivenheder (skeduleringen). apps/frappe/frappe/utils/csvutils.py +75,Not a valid Comma Separated Value (CSV File),Ikke en gyldig kommaseparerede værdier (CSV fil) DocType: Address,Postal,Postal DocType: Email Account,Default Incoming,Standard Indgående DocType: Workflow State,repeat,gentagelse DocType: Website Settings,Banner,Banner DocType: Role,"If disabled, this role will be removed from all users.","Hvis deaktiveret, vil denne rolle blive fjernet fra alle brugere." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,Hjælp til søgning +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,Hjælp til søgning apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,Registrerede men deaktiveret DocType: DocType,Hide Copy,Skjul Copy apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,Ryd alle roller apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +110,{0} generated on {1},{0} genereret på {1} apps/frappe/frappe/model/base_document.py +361,{0} must be unique,{0} skal være entydigt -apps/frappe/frappe/permissions.py +274,Row,Row +apps/frappe/frappe/permissions.py +274,Row,Række DocType: DocType,Track Changes,Spor ændringer DocType: Workflow State,Check,Check DocType: Razorpay Settings,API Key,API Key @@ -1081,7 +1084,7 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +81,Edit Title,Rediger titel apps/frappe/frappe/desk/page/modules/modules.js +24,Install Apps,Installer apps apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +66,Fieldname which will be the DocType for this link field.,Feltnavn som vil være DOCTYPE for dette link felt. apps/frappe/frappe/config/desk.py +14,Documents assigned to you and by you.,"Dokumenter, der er tildelt til dig og af dig." -DocType: User,Email Signature,Email Signature +DocType: User,Email Signature,Mailsignatur DocType: Website Settings,Google Analytics ID,Google Analytics-id DocType: Website Theme,Link to your Bootstrap theme,Link til din Bootstrap tema apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +18,Add new row,Tilføj ny række @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,Slet apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},Ny {0} apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,Ingen brugerbegrænsning fundet. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,Standard Indbakke -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,Opret ny +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,Opret ny(t) DocType: Print Settings,PDF Page Size,PDF-sidestørrelse apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,"Bemærk: felter, uden værdi for ovenstående kriterier er ikke filtreret fra." DocType: Communication,Recipient Unsubscribed,Modtager afmeldt DocType: Feedback Request,Is Sent,Er sendt apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,Om -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.","Til opdatering, kan du opdatere kun selektive kolonner." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.","Til opdatering, kan du opdatere kun selektive kolonner." DocType: System Settings,Country,Land apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,Adresser DocType: Communication,Shared,Delt @@ -1114,7 +1117,7 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.js +154,Permissio DocType: Email Queue,Expose Recipients,Expose modtagere apps/frappe/frappe/email/doctype/email_account/email_account.py +60,Append To is mandatory for incoming mails,Vedlægge er obligatorisk for indkommende mails DocType: Communication,Rejected,Afvist -DocType: Website Settings,Brand,Brand +DocType: Website Settings,Brand,Varemærke DocType: Report,Query Report,Query rapport DocType: User,Set New Password,Set ny adgangskode DocType: User,Github User ID,Github bruger-id @@ -1125,17 +1128,17 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",% S er ikke et gyldigt rapport format. Rapport format skal \ et af følgende% s DocType: Communication,Chat,Chat apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},Feltnavn {0} forekommer flere gange i rækker {1} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} fra {1} til {2} i rækkenr. {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} fra {1} til {2} i rækkenr. {3} DocType: Communication,Expired,Udløbet DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),Antal kolonner for et felt i en Grid (Total kolonner i et gitter skal være mindre end 11) DocType: DocType,System,System DocType: Web Form,Max Attachment Size (in MB),Maks Attachment Size (i MB) -apps/frappe/frappe/www/login.html +88,Have an account? Login,Har du en konto? Log på +apps/frappe/frappe/www/login.html +93,Have an account? Login,Har du en konto? Log ind apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},Ukendt Print Format: {0} DocType: Workflow State,arrow-down,arrow-down apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,Fold sammen apps/frappe/frappe/model/delete_doc.py +161,User not allowed to delete {0}: {1},Bruger ikke lov til at slette {0}: {1} -apps/frappe/frappe/public/js/frappe/model/model.js +21,Last Updated On,Senest opdateret +apps/frappe/frappe/public/js/frappe/model/model.js +21,Last Updated On,Senest opdateret d. DocType: Help Article,Likes,Likes DocType: Website Settings,Top Bar,Top Bar apps/frappe/frappe/core/doctype/user/user.js +97,Create User Email,Opret bruger e-mail @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,Tilpasset rolle apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,Forside / Test Mappe 2 DocType: System Settings,Ignore User Permissions If Missing,Ignorér brugertilladelser hvis mangler -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,Gem venligst dokumentet før du uploader. -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,Indtast din adgangskode +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,Gem venligst dokumentet før du uploader. +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,Indtast din adgangskode DocType: Dropbox Settings,Dropbox Access Secret,Dropbox Access Secret apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,Tilføj en kommentar apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,Edit DocType -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,Afmeldt nyhedsbrev +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,Afmeldt fra nyhedsbrev apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,Fold skal komme før en sektion Break apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,Senest ændret af DocType: Workflow State,hand-down,hånd-down @@ -1156,17 +1159,18 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +661,{0}: Cannot set Cancel w DocType: Website Theme,Theme,Tema apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +158,There were errors.,Der var fejl. DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,Omdirigere URI Bundet Til Auth Code -DocType: DocType,Is Submittable,Er Submittable +DocType: DocType,Is Submittable,Kan godkendes apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,Værdi for en kontrol felt kan være enten 0 eller 1 apps/frappe/frappe/model/document.py +634,Could not find {0},Kunne ikke finde {0} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,Kolonne Etiketter: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,Download i Excel File Format +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,Kolonne Etiketter: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,Navngivning Series obligatorisk DocType: Social Login Keys,Facebook Client ID,Facebook-klient-id DocType: Workflow State,Inbox,Indbakke DocType: Event,Red,Rød DocType: Workflow State,Tag,Tag DocType: Custom Script,Script,Script -apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +28,My Settings,Mine indstillinger +apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +28,My Settings,Indstillinger DocType: Website Theme,Text Color,Tekstfarve DocType: Desktop Icon,Force Show,kraft Show apps/frappe/frappe/auth.py +78,Invalid Request,Ugyldig Request @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,Gruppe DocType: Footer Item,"Select target = ""_blank"" to open in a new page.",Vælg target = "_blank" for at åbne i en ny side. apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,Permanent slette {0}? apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,Samme fil er allerede knyttet til posten -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,Ignorér kodefejl. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,Ignorér kodefejl. DocType: Auto Email Report,XLS,XLS DocType: Workflow State,wrench,skruenøgle apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,Ikke markeret @@ -1188,31 +1192,32 @@ apps/frappe/frappe/core/page/desktop/desktop.py +12,Add Employees to Manage Them apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +7,Roles can be set for users from their User page.,Kan indstilles roller for brugere fra deres brugerside. apps/frappe/frappe/templates/includes/comments/comments.html +25,Add Comment,Tilføj kommentar DocType: DocField,Mandatory,Obligatorisk -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +87,Module to Export,Modul til Export +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +87,Module to Export,Modul til udlæsning apps/frappe/frappe/core/doctype/doctype/doctype.py +625,{0}: No basic permissions set,{0}: Ingen grundlæggende tilladelser sæt apps/frappe/frappe/limits.py +78,Your subscription will expire on {0}.,Dit abonnement udløber den {0}. -apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be emailed on the following email address: {0},Download link til din backup vil blive sendt på følgende e-mail-adresse: {0} -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","Betydning af Submit, Annuller, Tekst" +apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be emailed on the following email address: {0},Downloadlink til din sikkerhedskopi vil blive sendt til følgende e-mail-adresse: {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","Betydning af Godkend, Annuller, Tilføj" apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,To Do apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,Enhver eksisterende tilladelse vil blive slettet / overskrevet. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),Derefter Ved (valgfrit) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),Derefter Ved (valgfrit) DocType: File,Preview HTML,Eksempel HTML DocType: Desktop Icon,query-report,query-rapport apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},Tildelt til {0}: {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,filtre gemt DocType: DocField,Percent,Procent -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,Sæt venligst filtre +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,Sæt venligst filtre apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,Forbundet med DocType: Workflow State,book,bog -DocType: Website Settings,Landing Page,Landing Page +DocType: Website Settings,Landing Page,Startside apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,Fejl i Tilpasset Script apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} Navn -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.","Import Request kø. Det kan tage et øjeblik, skal du være tålmodig." +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.","Import Request kø. Det kan tage et øjeblik, skal du være tålmodig." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,Ingen Tilladelser sat for dette kriterium. DocType: Auto Email Report,Auto Email Report,Auto Email Report apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,Maks Emails -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,Slet kommentar? -DocType: Address Template,This format is used if country specific format is not found,"Dette format bruges, hvis landespecifikke format ikke findes" +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,Slet kommentar? +DocType: Address Template,This format is used if country specific format is not found,"Dette format bruges, hvis det landespecifikke format ikke findes" +DocType: System Settings,Allow Login using Mobile Number,Tillad login ved hjælp af mobilnummer apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,Du har ikke nok rettigheder til at få adgang til denne ressource. Kontakt din leder for at få adgang. DocType: Custom Field,Custom,Brugerdefineret apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,Setup mail Alert baseret på forskellige kriterier. @@ -1221,7 +1226,7 @@ DocType: Email Alert,Send alert if date matches this field's value,"Send besked, DocType: Workflow,Transitions,Overgange apps/frappe/frappe/desk/page/applications/applications.js +175,Remove {0} and delete all data?,Fjern {0} og slette alle data? apps/frappe/frappe/desk/page/activity/activity_row.html +34,{0} {1} to {2},{0} {1} til {2} -DocType: User,Login After,Login Efter +DocType: User,Login After,Log ind efter DocType: Print Format,Monospace,Monospace DocType: Letter Head,Printing,Udskrivning DocType: Workflow State,thumbs-up,thumbs-up @@ -1238,17 +1243,18 @@ DocType: Workflow State,step-backward,trin-bagud apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{App_title} apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,Venligst sæt Dropbox genvejstaster i dit site config apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,Slet denne rekord for at tillade at sende denne e-mail-adresse -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,"Kun obligatoriske felter er nødvendige for nye rekorder. Du kan slette ikke-obligatoriske kolonner, hvis du ønsker." -apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,Kan ikke opdatere event +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,"Kun obligatoriske felter er nødvendige for nye rekorder. Du kan slette ikke-obligatoriske kolonner, hvis du ønsker." +apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,Kan ikke opdatere begivenhed apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,Betaling fuldført apps/frappe/frappe/utils/bot.py +89,show,at vise DocType: Address Template,Address Template,Adresseskabelon DocType: Workflow State,text-height,tekst-højde -DocType: Web Form Field,Max Length,Max længde +DocType: Web Form Field,Max Length,Maksimal længde DocType: Workflow State,map-marker,map-markør apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,Indberet et problem DocType: Event,Repeat this Event,Gentag denne begivenhed -DocType: Contact,Maintenance User,Vedligeholdelse Bruger +DocType: Contact,Maintenance User,Vedligeholdelsesbruger +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,Sorteringsindstillinger apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,"Undgå datoer og år, der er forbundet med dig." DocType: Custom DocPerm,Amend,Ændre DocType: File,Is Attachments Folder,Er Vedhæftede filer Folder @@ -1261,7 +1267,7 @@ apps/frappe/frappe/core/doctype/docshare/docshare.py +56,{0} un-shared this docu apps/frappe/frappe/public/js/frappe/form/workflow.js +118,Document Status transition from {0} to {1} is not allowed,Dokument status overgang fra {0} til {1} er ikke tilladt DocType: DocType,"Make ""name"" searchable in Global Search","Lav ""navn"" søgbart i Global Search" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +126,Setting Up,Opsætning -apps/frappe/frappe/core/doctype/version/version_view.html +74,Row # ,Row # +apps/frappe/frappe/core/doctype/version/version_view.html +74,Row # ,Række # apps/frappe/frappe/templates/emails/auto_reply.html +5,This is an automatically generated reply,Dette er en automatisk genereret svar DocType: Help Category,Category Description,Kategori Beskrivelse apps/frappe/frappe/model/document.py +526,Record does not exist,Optag findes ikke @@ -1274,9 +1280,9 @@ DocType: DocType,Route,Rute apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,indstillinger Razorpay betalingsgateway DocType: DocField,Name,Navn apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,Du har overskredet max plads af {0} for din plan. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,Søg i dokumenterne +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,Søg i dokumenterne DocType: OAuth Authorization Code,Valid,Gyldig -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,Åbn link +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,Åbn link apps/frappe/frappe/desk/form/load.py +46,Did not load,Ikke indlæse apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,Tilføj række DocType: Tag Category,Doctypes,doctypes @@ -1291,14 +1297,14 @@ DocType: Workflow State,align-center,tilpasse-center DocType: Feedback Request,Is Feedback request triggered manually ?,Er Feedback anmodning udløses manuelt? apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,Kan Skriv apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.","Visse dokumenter, som en faktura, bør ikke ændres, når endelig. Den endelige tilstand for sådanne dokumenter kaldes Tilmeldt. Du kan begrænse hvilke roller kan Submit." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,Du har ikke tilladelse til at eksportere denne rapport +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,Du har ikke tilladelse til at udlæse denne rapport apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,1 element valgt DocType: Newsletter,Test Email Address,Test e-mailadresse DocType: ToDo,Sender,Afsender apps/frappe/frappe/templates/includes/comments/comments.html +27,Leave a Comment,Efterlad en kommentar DocType: Web Page,Description for search engine optimization.,Beskrivelse for søgemaskine optimering. apps/frappe/frappe/website/doctype/help_article/templates/help_article.html +20,More articles on {0},Flere artikler om {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +34,Download Blank Template,Hent Blank skabelon +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +34,Download Blank Template,Hent tom skabelon DocType: Web Form Field,Page Break,Sideskift DocType: System Settings,Allow only one session per user,Tillad kun én session per bruger apps/frappe/frappe/core/doctype/file/file_list.js +128,Copy,Kopi @@ -1326,54 +1332,54 @@ DocType: DocField,Columns,Kolonner DocType: Async Task,Succeeded,Lykkedes apps/frappe/frappe/public/js/frappe/form/save.js +141,Mandatory fields required in {0},"Obligatoriske felter, der kræves i {0}" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +95,Reset Permissions for {0}?,Nulstil Tilladelser for {0}? -apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,rækker Fjernet +apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,Rækker blev slettet apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} ikke fundet DocType: Communication,Attachment Removed,Attachment Fjernet apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,De seneste år er nemme at gætte. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,Viser en beskrivelse under feltet +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,Viser en beskrivelse under feltet DocType: DocType,ASC,ASC DocType: Workflow State,align-left,justere venstre DocType: User,Defaults,Standardværdier -DocType: Feedback Request,Feedback Submitted,Feedback Indsendt +DocType: Feedback Request,Feedback Submitted,Tilbagemelding er sendt apps/frappe/frappe/public/js/frappe/model/model.js +493,Merge with existing,Sammenlæg med eksisterende DocType: User,Birth Date,Fødselsdato DocType: Dynamic Link,Link Title,Link Title DocType: Workflow State,fast-backward,hurtigt tilbage DocType: DocShare,DocShare,DocShare DocType: Event,Friday,Fredag -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,Rediger i fuld side +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,Rediger i fuld side DocType: Authentication Log,User Details,Brugerdetaljer -DocType: Report,Add Total Row,Tilføj Total Row +DocType: Report,Add Total Row,Tilføj total-række apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,For eksempel hvis du annullere og ændre INV004 bliver det et nyt dokument INV004-1. Dette hjælper dig med at holde styr på hver enkelt ændring. apps/frappe/frappe/config/setup.py +160,Setup Reports to be emailed at regular intervals,Setup Rapporter blive sendt med jævne mellemrum -DocType: Workflow Document State,0 - Draft; 1 - Submitted; 2 - Cancelled,0 - Udkast; 1 - Indsendt; 2 - Annulleret +DocType: Workflow Document State,0 - Draft; 1 - Submitted; 2 - Cancelled,0 - Udkast; 1 - Godkendt; 2 - Annulleret DocType: File,Attached To DocType,Knyttet til DocType DocType: DocField,Int,Int DocType: Error Log,Title,Titel apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,"Seems issue with server's razorpay config. Don't worry, in case of failure amount will get refunded to your account.","Synes problem med serverens razorpay config. Bare rolig, i tilfælde af svigt beløb vil få refunderet til din konto." apps/frappe/frappe/public/js/frappe/form/toolbar.js +163,Customize,Tilpas DocType: Auto Email Report,CSV,CSV -apps/frappe/frappe/www/feedback.html +96,Please give a detailed feebdack.,Giv en detaljeret feebdack. +apps/frappe/frappe/www/feedback.html +96,Please give a detailed feebdack.,Giv venligst en detaljeret tilbagemelding. DocType: Currency,"1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 Valuta = [?] dele. Eksempelvis 1 USD = 100 Cent apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour","For mange brugere tilmeldt nylig, så registreringen er deaktiveret. Prøv igen om en time" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,Tilføj ny tilladelsesregel -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,Du kan bruge jokertegn% -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Kun billedfiler extensions (.gif, .jpg, .jpeg, .tiff, .png, SVG) tilladt" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,Du kan bruge jokertegn% +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Kun billedfiler extensions (.gif, .jpg, .jpeg, .tiff, .png, SVG) tilladt" DocType: DocType,Database Engine,Database Engine DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box","Felter adskilt af komma (,) vil indgå i "Søg efter" liste over Search dialogboksen" -apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,Venligst Dupliker denne hjemmeside tema at tilpasse. +apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,Duplikér dette hjemmesidetema for at tilrette. DocType: DocField,Text Editor,Teksteditor apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,Indstillinger for Om os siden. apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,Rediger brugerdefineret HTML DocType: Error Snapshot,Error Snapshot,Fejl Snapshot -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,I +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,I DocType: Email Alert,Value Change,Value Change DocType: Standard Reply,Standard Reply,Standardsvar -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,Bredde af indtastningsfeltet +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,Bredde af indtastningsfeltet DocType: Address,Subsidiary,Datterselskab DocType: System Settings,In Hours,I Hours -apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,Med Brevpapir +apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,Med brevhoved apps/frappe/frappe/email/smtp.py +192,Invalid Outgoing Mail Server or Port,Ugyldig Server til udgående post eller Port DocType: Custom DocPerm,Write,Skrive apps/frappe/frappe/core/doctype/report/report.py +35,Only Administrator allowed to create Query / Script Reports,Kun Administrator lov til at oprette Query / Script Reports @@ -1385,13 +1391,12 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,Inviter som Bruger apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,Vælg Vedhæftede apps/frappe/frappe/model/naming.py +95, for {0},for {0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,Der var fejl. Rapportér venligst dette. +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,Der var fejl. Rapportér venligst dette. apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,Du har ikke tilladelse til at udskrive dette dokument apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,Venligst sæt filtre værdi i Rapportfilter tabel. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,Loading Rapport +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,Indlæser rapport apps/frappe/frappe/limits.py +72,Your subscription will expire today.,Dit abonnement udløber i dag. DocType: Page,Standard,Standard -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,Find {0} i apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,Vedhæft fil apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,Meddelelse vedr. opdatering af adgangskode apps/frappe/frappe/desk/page/backups/backups.html +13,Size,Størrelse @@ -1401,10 +1406,10 @@ DocType: Desktop Icon,Idx,Idx DocType: Deleted Document,New Name,Nyt navn DocType: Communication,Email Status,E-mail-status apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,"Gem venligst dokumentet, før du fjerner opgaven" -apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,Indsæt Above -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,Almindelige navne og efternavne er nemme at gætte. +apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,Indsæt ovenfor +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,Almindelige navne og efternavne er nemme at gætte. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,Kladde -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,Dette svarer til en almindeligt anvendt adgangskode. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,Dette svarer til en almindeligt anvendt adgangskode. DocType: User,Female,Kvinde DocType: Print Settings,Modern,Moderne apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,Søgeresultater @@ -1412,9 +1417,9 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,Ikke gemt DocType: Communication,Replied,Svarede DocType: Newsletter,Test,Prøve DocType: Custom Field,Default Value,Standardværdi -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,Bekræft +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,Bekræft DocType: Workflow Document State,Update Field,Opdatering Field -apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},Validering mislykkedes for {0} +apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},Godkendelse mislykkedes for {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,Regionale Udvidelser DocType: LDAP Settings,Base Distinguished Name (DN),Base Distinguished Name (DN) apps/frappe/frappe/core/doctype/communication/email.py +143,Leave this conversation,Forlad denne samtale @@ -1425,7 +1430,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,"Nul betyder, at send records opdateres når som helst" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,Komplet opsætning DocType: Workflow State,asterisk,stjerne -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,Du må ikke ændre skabelonen overskrifter. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,Du må ikke ændre skabelonen overskrifter. DocType: Communication,Linked,Linked apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},Indtast navnet på den nye {0} DocType: User,Frappe User ID,Frappe Bruger-id @@ -1434,10 +1439,10 @@ DocType: Workflow State,shopping-cart,Indkøbskurv apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,Uge DocType: Social Login Keys,Google,Google DocType: Email Domain,Example Email Address,Eksempel E-mail adresse -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,mest Brugt -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,Afmeld nyhedsbrev -apps/frappe/frappe/www/login.html +96,Forgot Password,Glemt kodeord -DocType: Dropbox Settings,Backup Frequency,Backup Frequency +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,mest Brugt +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,Afmeld nyhedsbrev +apps/frappe/frappe/www/login.html +101,Forgot Password,Glemt adgangskode +DocType: Dropbox Settings,Backup Frequency,Hyppighed af sikkerhedskopier DocType: Workflow State,Inverse,Inverse DocType: DocField,User permissions should not apply for this Link,Brugertilladelser bør ikke gælde for dette Link apps/frappe/frappe/model/naming.py +95,Invalid naming series (. missing),Ugyldig navngivning serien (. Mangler) @@ -1446,11 +1451,11 @@ DocType: Language,Language,Sprog apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Numerically Descending,Numerisk faldende apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,Browser understøttes ikke apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,Der mangler nogle oplysninger -DocType: Custom DocPerm,Cancel,Afbestille -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,Tilføj til Skrivebordet +DocType: Custom DocPerm,Cancel,Annullere +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,Føj til skrivebordet apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,Fil {0} findes ikke -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,Lad være blank for nye poster -apps/frappe/frappe/config/website.py +63,List of themes for Website.,Liste over temaer for hjemmesiden. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,Lad være blank for nye poster +apps/frappe/frappe/config/website.py +63,List of themes for Website.,Oversigt over temaer for hjemmesiden. apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,Succesfuld Opdateret DocType: Authentication Log,Logout,Log af apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +26,Permissions at higher levels are Field Level permissions. All Fields have a Permission Level set against them and the rules defined at that permissions apply to the field. This is useful in case you want to hide or make certain field read-only for certain Roles.,"Tilladelser på højere niveauer er Field Level tilladelser. Alle felter har et Tilladelsesniveau sæt mod dem, og de regler, der er defineret ved, at tilladelser anvendelse på. Dette er nyttigt, hvis du ønsker at skjule eller foretage visse felt skrivebeskyttet for bestemte roller." @@ -1460,9 +1465,9 @@ DocType: Note,Note,Bemærk apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.html +32,Error Report,Fejlrapport apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a valid fieldname,Tidslinje felt skal være en gyldig fieldname DocType: Currency,Symbol,Symbol -apps/frappe/frappe/model/base_document.py +535,Row #{0}:,Row # {0}: +apps/frappe/frappe/model/base_document.py +535,Row #{0}:,Række # {0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,Ny adgangskode sendt på emai -apps/frappe/frappe/auth.py +242,Login not allowed at this time,Login er ikke tilladt på dette tidspunkt +apps/frappe/frappe/auth.py +245,Login not allowed at this time,Log ind er ikke tilladt på dette tidspunkt DocType: Email Account,Email Sync Option,E-mail-synkronisering Option DocType: Async Task,Runtime,Runtime DocType: Contact Us Settings,Introduction,Introduktion @@ -1472,12 +1477,12 @@ DocType: LDAP Settings,LDAP Email Field,LDAP Email Felt apps/frappe/frappe/www/list.html +3,{0} List,{0} List apps/frappe/frappe/desk/form/assign_to.py +41,Already in user's To Do list,Allerede i brugerens opgaveliste DocType: User Email,Enable Outgoing,Aktiver udgående -DocType: Address,Fax,Fax +DocType: Address,Fax,Telefax apps/frappe/frappe/config/setup.py +240,Custom Tags,Brugerdefinerede Tags apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,Ingen matchende apps fundet -DocType: Communication,Submitted,Indsendt +DocType: Communication,Submitted,Godkendt DocType: System Settings,Email Footer Address,Email Footer adresse -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,tabel opdateret +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,tabel opdateret DocType: Communication,Timeline DocType,Tidslinje DocType DocType: DocField,Text,Tekst apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,Standardsvar på almindelige spørgsmål. @@ -1485,9 +1490,9 @@ apps/frappe/frappe/email/doctype/email_account/email_account_list.js +14,Default DocType: Workflow State,volume-off,volumen-off apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by {0},Vellidt af {0} DocType: Footer Item,Footer Item,footer Item -,Download Backups,Hent Backups +,Download Backups,Download sikkerhedskopier apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,Forside / Test Mappe 1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.","Du må ikke opdatere, men indsætte nye poster." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.",Indsæt nye poster - men opdatér ikke eksisterende apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,Tildel til mig apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,Redigér mappe DocType: DocField,Dynamic Link,Dynamic Link @@ -1500,11 +1505,12 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,Hurtig hjælp til at indstille tilladelser DocType: Tag Doc Category,Doctype to Assign Tags,Doctype at Tildel tags apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,Vis Tilbagefald -DocType: Report,Report Builder,Report Builder -DocType: Async Task,Task Name,Task Name -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.","Din session er udløbet, skal du logge ind igen for at fortsætte." +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,E-mail er flyttet til papirkurven +DocType: Report,Report Builder,Rapportgenerator +DocType: Async Task,Task Name,Opgavenavn +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.","Din session er udløbet, skal du logge ind igen for at fortsætte." DocType: Communication,Workflow,Workflow -apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},I kø til backup og fjerne {0} +apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},I kø til sikkerhedskopi og til sletning {0} DocType: Workflow State,Upload,Upload DocType: System Settings,Date Format,Datoformat apps/frappe/frappe/website/doctype/blog_post/blog_post_list.js +7,Not Published,Ikke Udgivet @@ -1525,12 +1531,12 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18","Dette felt vises kun, hvis feltnavn defineres her har værdi ELLER reglerne er sande (eksempler): myfield eval: doc.myfield == "Min Værdi" eval: doc.age> 18" -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,I dag +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,I dag apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).","Når du har indstillet dette, vil brugerne kun kunne få adgang til dokumenter (f.eks. Blog Post) hvor linket eksisterer (f.eks. Blogger)." DocType: Error Log,Log of Scheduler Errors,Log af Scheduler Fejl DocType: User,Bio,Bio DocType: OAuth Client,App Client Secret,App Client Secret -apps/frappe/frappe/public/js/frappe/form/save.js +12,Submitting,Indsendelse +apps/frappe/frappe/public/js/frappe/form/save.js +12,Submitting,Godkender apps/frappe/frappe/desk/page/activity/activity.js +89,Show Likes,Vis Likes DocType: DocType,UPPER CASE,STORE BOGSTAVER apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +189,Custom HTML,Tilpasset HTML @@ -1539,7 +1545,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,Slettet DocType: Workflow State,adjust,justere DocType: Web Form,Sidebar Settings,Sidebar Indstillinger -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,

    Ingen resultater fundet for '

    DocType: Website Settings,Disable Customer Signup link in Login page,Deaktiver Customer Tilmelding linket i login side apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,Tildelt til / ejer DocType: Workflow State,arrow-left,arrow-venstre @@ -1560,8 +1565,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,Vis Afsnit Overskrifter DocType: Bulk Update,Limit,Begrænse apps/frappe/frappe/www/printview.py +219,No template found at path: {0},Ingen skabelon fundet på stien: {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,Valider efter import. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,Ingen e-mail-konto +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,Godkend efter import. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,Ingen e-mail-konto DocType: Communication,Cancelled,Annulleret DocType: Standard Reply,Standard Reply Help,Standardsvar hjælp DocType: Blogger,Avatar,Avatar @@ -1570,51 +1575,54 @@ DocType: DocType,Has Web View,Har webvisning apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores","DocType navn skal starte med et bogstav, og det kan kun bestå af bogstaver, tal, mellemrum og understregninger" DocType: Communication,Spam,Spam DocType: Integration Request,Integration Request,Integration Request -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,Kære +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,Kære DocType: Contact,Accounts User,Regnskabsbruger DocType: Web Page,HTML for header section. Optional,HTML til header sektion. Valgfri apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,Denne funktion er helt ny og stadig eksperimenterende -apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,Maksimum {0} rækker tilladt +apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,Maksimalt {0} rækker tilladt DocType: Email Unsubscribe,Global Unsubscribe,Global Afmeld -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,Dette er en meget almindelig adgangskode. -apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,Udsigt +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,Dette er en meget almindelig adgangskode. +apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,Visning DocType: Communication,Assigned,tildelt DocType: Print Format,Js,js apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Format,Vælg Udskriv Format apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,Korte tastatur mønstre er nemme at gætte DocType: Portal Settings,Portal Menu,Portal Menu -apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,Længde på {0} skal være mellem 1 og 1000 -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,Søg efter noget +apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,Længden af {0} skal være mellem 1 og 1000 +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,Søg efter noget DocType: DocField,Print Hide,Print Skjul apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,Indtast værdi DocType: Workflow State,tint,toning DocType: Web Page,Style,Stil apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,fx: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} kommentarer +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,E-mail-konto er ikke konfigureret. Opret en ny e-mail-konto fra Opsætning> Email> E-mail-konto apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,Vælg Kategori ... DocType: Customize Form Field,Label and Type,Label og type DocType: Workflow State,forward,frem apps/frappe/frappe/public/js/frappe/form/sidebar.js +59,{0} edited this {1},{0} redigerede denne {1} -DocType: Custom DocPerm,Submit,Valider +DocType: Custom DocPerm,Submit,Godkend apps/frappe/frappe/core/doctype/file/file_list.js +62,New Folder,Ny mappe DocType: Email Account,Uses the Email Address mentioned in this Account as the Sender for all emails sent using this Account. ,Bruger E-mail-adresse er nævnt i denne konto som afsender for alle e-mails sendt via denne konto. DocType: Website Settings,Sub-domain provided by erpnext.com,"Sub-domæne, som erpnext.com" DocType: System Settings,dd-mm-yyyy,dd-mm-åååå apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,Skal have rapport adgang til denne rapport. apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,Vælg venligst mindst adgangskode score -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,Tilføjet -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.",Opdater kun ikke indsætte nye poster. -apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,Daily begivenhed Digest sendes til Kalender Events hvor påmindelser er sat. +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,Tilføjet +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.",Opdater kun - indsæt ikke nye poster. +apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,Daglige begivenheder sendes til kalenderen hvor påmindelser er aktiveret. apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,Se hjemmeside -DocType: Workflow State,remove,fjerne +DocType: Workflow State,remove,fjern DocType: Email Account,If non standard port (e.g. 587),Hvis ikke-standard port (f.eks. 587) +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Opsætning> Brugerrettigheder +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Ingen standard adresse skabelon fundet. Opret venligst en ny fra Opsætning> Udskrivning og branding> Adresseskabelon. apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,Genindlæs apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,Tilføj dine egne Tag Kategorier apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,Total DocType: Event,Participants,Deltagere DocType: Integration Request,Reference DocName,Henvisning DocName DocType: Web Form,Success Message,Succes Message -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +83,Export Customizations,Eksport tilpasninger +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +83,Export Customizations,Udlæs tilpasninger DocType: DocType,User Cannot Search,Brugeren må ikke søge apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +80,Invalid Output Format,Ugyldigt Outputformat DocType: Custom DocPerm,Apply this rule if the User is the Owner,"Anvende denne regel, hvis brugeren er ejer" @@ -1623,18 +1631,17 @@ DocType: Note,Notify users with a popup when they log in,"Giv brugerne en popup, apps/frappe/frappe/model/rename_doc.py +117,"{0} {1} does not exist, select a new target to merge",{0} {1} eksisterer ikke. Vælg et nyt mål for sammenlægningen apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",Søgeresultater for "{0}" apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},Kan ikke sætte tilladelse til DocType: {0} og Navn: {1} -apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,Tilføj til Opgaver +apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,Føj til Opgaver DocType: Footer Item,Company,Firma -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Opsæt venligst standard e-mail-konto fra Opsætning> Email> E-mail-konto apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,Tildelt mig -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,Bekræft Adgangskode +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,Bekræft adgangskode apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,Der var fejl apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,Luk apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,Kan ikke ændre docstatus fra 0 til 2 DocType: User Permission for Page and Report,Roles Permission,Roller Tilladelse apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,Opdatering DocType: Error Snapshot,Snapshot View,Snapshot View -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,Gem nyhedsbrevet før afsendelse +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,Gem nyhedsbrevet før afsendelse apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},Muligheder skal være en gyldig DocType for feltet {0} i række {1} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,Rediger egenskaber DocType: Patch Log,List of patches executed,Liste over patches henrettet @@ -1642,17 +1649,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,Kommunikation Medium DocType: Website Settings,Banner HTML,Banner HTML apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',Vælg en anden betalingsmetode. Razorpay understøtter ikke transaktioner i sedler '{0}' -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,I kø til backup. Det kan tage et par minutter til en time. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,I kø til sikkerhedskopi. Det kan tage et par minutter til en time. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,Registrer OAuth Client App apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""","{0} {1} kan ikke være ""{2}"". Den skal være en af ""{3}""" -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} eller {1} -apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,Vis eller Skjul skrivebordsikoner +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} eller {1} +apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,Vis eller skjul skrivebordsikoner apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,Opdatering af adgangskode DocType: Workflow State,trash,affald -DocType: System Settings,Older backups will be automatically deleted,Ældre backups slettes automatisk +DocType: System Settings,Older backups will be automatically deleted,Ældre sikkerhedskopier slettes automatisk DocType: Event,Leave blank to repeat always,Lad stå tomt for altid at gentage -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,Bekræftet +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,Bekræftet DocType: Event,Ends on,Slutter den DocType: Payment Gateway,Gateway,Gateway apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,Ikke nok tilladelse til at se links @@ -1660,18 +1667,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO","Tilføjet HTML i -sektionen af hjemmesiden, der primært anvendes til hjemmesidens verificering og SEO" apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,Recidiverende apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,Punkt kan ikke føjes til sine egne efterkommere -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,Vis totaler +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,Vis totaler DocType: Error Snapshot,Relapses,Tilbagefald -DocType: Address,Preferred Shipping Address,Foretrukne Forsendelsesadresse +DocType: Address,Preferred Shipping Address,Foretruken leveringsadresse DocType: Social Login Keys,Frappe Server URL,URL Frappe Server -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,Med Letter hoved -apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} oprettet denne {1} +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,Med brevhoved +apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} oprettede denne {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,Dokument er kun redigeres af brugere af rolle apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.","Opgaven {0}, som du har tildelt {1}, er blevet lukket af {2}." DocType: Print Format,Show Line Breaks after Sections,Vis Linje Breaks efter Sektioner DocType: Blogger,Short Name,Kort navn apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},Side {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).","Du vælger Sync Option som ALLE, vil det synkronisere alle \ læse såvel som ulæst besked fra serveren. Dette kan også medføre, at dobbeltarbejde \ af Kommunikation (e-mails)." apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,Filer Størrelse @@ -1680,7 +1687,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,Blokeret DocType: Contact Us Settings,"Default: ""Contact Us""",Standard: "Kontakt os" DocType: Contact,Purchase Manager,Indkøbschef -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.","Niveau 0 er for tilladelser dokument niveau, højere niveauer for tilladelser felt niveau." DocType: Custom Script,Sample,Prøve apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,Ukategoriseret Tags apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore","Brugernavn må ikke indeholde andre end bogstaver, tal og underscore specialtegn" @@ -1688,36 +1694,36 @@ DocType: Event,Every Week,Hver uge apps/frappe/frappe/limits.py +195,Click here to check your usage or upgrade to a higher plan,Klik her for at kontrollere dit forbrug eller opgradere til et højere plan DocType: Custom Field,Is Mandatory Field,Er Obligatorisk felt DocType: User,Website User,Website Bruger -apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +10,Not equals,Ikke ligemænd +apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +10,Not equals,Forkellig fra DocType: Integration Request,Integration Request Service,Integration serviceanmodning DocType: Website Script,Script to attach to all web pages.,Script til at knytte til alle websider. DocType: Web Form,Allow Multiple,Tillad flere apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +40,Assign,Tildel -apps/frappe/frappe/config/setup.py +102,Import / Export Data from .csv files.,Import / Export data fra csv-filer. +apps/frappe/frappe/config/setup.py +102,Import / Export Data from .csv files.,Indlæs / udlæs data fra CSV-filer. DocType: Auto Email Report,Only Send Records Updated in Last X Hours,"Send kun poster, der er opdateret i sidste X timer" DocType: Communication,Feedback,Feedback apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +72,You are not allowed to create / edit reports,Du har ikke lov til at oprette / redigere rapporter DocType: Workflow State,Icon will appear on the button,Ikon vises på knappen -DocType: Website Settings,Website Settings,Website Settings +DocType: Website Settings,Website Settings,Opsætning af hjemmeside apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please upload using the same template as download.,Upload ved hjælp af den samme skabelon som downloades. apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,Måned DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,Protip: Tilføj Reference: {{ reference_doctype }} {{ reference_name }} at sende dokumenthenvisning apps/frappe/frappe/modules/utils.py +202,App not found,App ikke fundet -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},Kan ikke oprette en {0} mod et barn dokument: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},Kan ikke oprette en {0} mod et barn dokument: {1} DocType: Portal Settings,Custom Sidebar Menu,Tilpasset Sidebar Menu DocType: Workflow State,pencil,blyant apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,Chat beskeder og andre meddelelser. apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +72,Insert After cannot be set as {0},Indsæt Efter kan ikke indstilles som {0} apps/frappe/frappe/public/js/frappe/form/share.js +57,Share {0} with,Del {0} med -apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please enter your password for: ,Konto setup Email skal du indtaste din adgangskode til: +apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please enter your password for: ,For opsætning af e-mailkonti skal du indtaste din adgangskode: DocType: Workflow State,hand-up,hånd-up DocType: Blog Settings,Writers Introduction,Writers Introduktion DocType: Communication,Phone,Telefonnr. -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,Fejl under evaluering af E-mail Alert {0}. Ret din skabelon. +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,Fejl under evaluering af E-mail Alert {0}. Ret din skabelon. apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,Vælg dokumenttype eller Rolle at starte. DocType: Contact,Passive,Passiv -DocType: Contact,Accounts Manager,Accounts Manager -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,Vælg filtype +DocType: Contact,Accounts Manager,Regnskabschef +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,Vælg filtype DocType: Help Article,Knowledge Base Editor,Knowledge Base Editor apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,Siden blev ikke fundet DocType: DocField,Precision,Precision @@ -1726,7 +1732,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,Grupper DocType: Workflow State,Workflow State,Workflow stat apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,rækker Tilføjet -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,Succes! Du er god at gå 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,Succes! Du er god at gå 👍 apps/frappe/frappe/www/me.html +3,My Account,Min konto DocType: ToDo,Allocated To,Afsat til apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,Klik på følgende link for at indstille din nye adgangskode @@ -1745,10 +1751,10 @@ apps/frappe/frappe/core/doctype/report/report.py +31,Only Administrator can save DocType: System Settings,Background Workers,Baggrund Arbejdere DocType: Deleted Document,Data,Data apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,Dokument status -apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,Login Id +apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,Brugernavn apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},Du har foretaget {0} af {1} DocType: OAuth Authorization Code,OAuth Authorization Code,OAuth Authorization Code -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,Ikke tilladt at importere +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,Ikke tilladt at importere DocType: Social Login Keys,Frappe Client Secret,Frappe Client Secret DocType: Deleted Document,Deleted DocType,slettet DocType apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,Tilladelsesniveauer @@ -1756,21 +1762,22 @@ DocType: Workflow State,Warning,Advarsel DocType: Tag Category,Tag Category,tag Kategori apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!","Ignorerer Item {0}, fordi en gruppe eksisterer med samme navn!" apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,Kan ikke gendanne annulleret dokument -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,Hjælp -DocType: User,Login Before,Login Før +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,Hjælp +DocType: User,Login Before,Log ind før DocType: Web Page,Insert Style,Indsæt Style apps/frappe/frappe/config/setup.py +253,Application Installer,Application Installer -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,Ny rapport navn +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,Ny rapport navn apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,Er DocType: Workflow State,info-sign,info-skilt apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,Værdi for {0} kan ikke være en liste DocType: Currency,"How should this currency be formatted? If not set, will use system defaults","Hvordan skal denne valuta formateres? Hvis ikke angivet, vil bruge systemets standardindstillinger" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,Vis brugertilladelser -apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,Du skal være logget ind og have System Manager Rolle at kunne få adgang til sikkerhedskopier. +apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,Du skal være logget ind og have Systemadministratorrollen for at kunne få adgang til sikkerhedskopier. apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,Resterende +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,

    Ingen resultater fundet for '

    apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,Gem før fastgørelse. -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),Tilføjet {0} ({1}) -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},Standard tema er sat i {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),Tilføjet {0} ({1}) +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},Standard tema er sat i {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},FieldType kan ikke ændres fra {0} til {1} i række {2} apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,Rolle Tilladelser DocType: Help Article,Intermediate,Intermediate @@ -1786,41 +1793,42 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,Forfriskende ... DocType: Event,Starts on,Starter på DocType: System Settings,System Settings,Systemindstillinger apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,Session Start mislykkedes -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},Denne e-mail blev sendt til {0} og kopieres til {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},Denne e-mail blev sendt til {0} og kopieres til {1} DocType: Workflow State,th,th -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},Opret ny(t) {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Opsætning> Bruger +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},Opret ny(t) {0} DocType: Email Rule,Is Spam,er spam -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},Rapport {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},Rapport {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},Åben {0} DocType: OAuth Client,Default Redirect URI,Standard Redirect URI DocType: Email Alert,Recipients,Modtagere DocType: Workflow State,ok-sign,ok-tegn -apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,Dupliker +apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,Duplikér DocType: Newsletter,Create and Send Newsletters,Opret og send nyhedsbreve apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,Fra dato skal være før til dato apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,Angiv venligst hvilken værdi felt skal kontrolleres -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added",'Forælder' betegner den overordnede tabel hvor denne række skal tilføjes +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added",'Forælder' betegner den overordnede tabel hvor denne række skal tilføjes DocType: Website Theme,Apply Style,Anvend Style DocType: Feedback Request,Feedback Rating,Feedback Rating apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,Delt med DocType: Help Category,Help Articles,Hjælp artikler -,Modules Setup,Moduler Setup -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,Type: +,Modules Setup,Opsætning af moduler +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,Type: DocType: Communication,Unshared,udelt apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,Modul ikke fundet -DocType: User,Location,Beliggenhed +DocType: User,Location,Lokation apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},Forny før: {0} ,Permitted Documents For User,Tilladte dokumenter til Bruger apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission",Du skal have "Del" tilladelsen DocType: Communication,Assignment Completed,Overdragelse Afsluttet -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},Bulk Edit {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},Bulk Edit {0} DocType: Email Alert Recipient,Email Alert Recipient,E-mail advarselsmodtager apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,Ikke aktiv DocType: About Us Settings,Settings for the About Us Page,Indstillinger for Om os Page apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,Stripe betalings gateway indstillinger apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,Vælg type af dokument til Download DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,fx pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,Brug feltet til at filtrere poster +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,Brug feltet til at filtrere poster DocType: DocType,View Settings,Se Indstillinger DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll","Tilføj dine medarbejdere, så du kan administrere fravær, udlæg og løn" @@ -1828,11 +1836,11 @@ DocType: System Settings,Scheduler Last Event,Scheduler Sidste begivenhed DocType: Website Settings,Add Google Analytics ID: eg. UA-89XXX57-1. Please search help on Google Analytics for more information.,Tilføj Google Analytics ID: f.eks. UA-89XXX57-1. Du søge hjælp på Google Analytics for at få flere oplysninger. apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 characters long,Adgangskode kan ikke være mere end 100 tegn DocType: OAuth Client,App Client ID,App klient-id -DocType: Kanban Board,Kanban Board Name,Kanban Board Navn +DocType: Kanban Board,Kanban Board Name,Kanbantavlenavn DocType: Email Alert Recipient,"Expression, Optional","Udtryk, Valgfri" -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},Denne e-mail blev sendt til {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},Denne e-mail blev sendt til {0} DocType: DocField,Remember Last Selected Value,Husk Sidste valgte værdi -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,Vælg venligst Dokumenttype +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,Vælg venligst dokumenttype DocType: Email Account,Check this to pull emails from your mailbox,Markér dette for at trække e-mails fra din postkasse apps/frappe/frappe/limits.py +139,click here,Klik her apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,Kan ikke redigere et annuleret dokument @@ -1844,48 +1852,48 @@ DocType: Workflow State,envelope,kuvert apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 2,Mulighed 2 DocType: Feedback Trigger,Email Field,E-mail felt apps/frappe/frappe/core/doctype/docshare/docshare.py +49,{0} shared this document with {1},{0} delte dette dokument med {1} -DocType: Website Settings,Brand Image,Firmalogo +DocType: Website Settings,Brand Image,Varemærkelogo DocType: Print Settings,A4,A4 apps/frappe/frappe/config/website.py +58,"Setup of top navigation bar, footer and logo.","Opsætning af øverste navigationslinje, sidefod og logo." -DocType: Web Form Field,Max Value,Max Value +DocType: Web Form Field,Max Value,Maksimal værdi apps/frappe/frappe/core/doctype/doctype/doctype.py +621,For {0} at level {1} in {2} in row {3},For {0} på niveau {1} i {2} i række {3} DocType: Authentication Log,All,Alle DocType: Email Queue,Recipient,Modtager DocType: Communication,Has Attachment,har Attachment -DocType: Contact,Sales User,Salg Bruger +DocType: Contact,Sales User,Salgsbruger apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,Træk og slip værktøj til at opbygge og tilpasse Print formater. apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,Udvid -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,Sæt +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,Sæt DocType: Email Alert,Trigger Method,Trigger Method DocType: Workflow State,align-right,justere højre DocType: Auto Email Report,Email To,E-mail Til apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,Folder {0} er ikke tom DocType: Page,Roles,Roller -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,Field {0} kan ikke vælges. +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,Field {0} kan ikke vælges. DocType: System Settings,Session Expiry,Session Udløb DocType: Workflow State,ban-circle,ban-cirkel DocType: Email Flag Queue,Unread,Ulæst DocType: Bulk Update,Desk,Skrivebord apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,Skriv en SELECT forespørgsel. Bemærk resultat ikke søges (alle data sendes på én gang). DocType: Email Account,Attachment Limit (MB),Attachment Grænse (MB) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,Opsætning Auto Email +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,Opsætning Auto Email apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,Ctrl + Down -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,Dette er en top-10 fælles adgangskode. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,Dette er en top-10 fælles adgangskode. DocType: User,User Defaults,User Defaults -apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,Opret ny +apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,Opret ny(t) DocType: Workflow State,chevron-down,chevron-down -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),E-mail ikke sendt til {0} (afmeldt / deaktiveret) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),E-mail ikke sendt til {0} (afmeldt / deaktiveret) DocType: Async Task,Traceback,Spore tilbage DocType: Currency,Smallest Currency Fraction Value,Mindste Valuta Fraktion Værdi -apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,Tildel Til +apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,Tildel til DocType: Workflow State,th-list,th-liste DocType: Web Page,Enable Comments,Aktiver Kommentarer apps/frappe/frappe/desk/doctype/note/note_list.js +3,Notes,Noter -DocType: User,Restrict user from this IP address only. Multiple IP addresses can be added by separating with commas. Also accepts partial IP addresses like (111.111.111),Begræns bruger fra denne IP eneste adresse. Flere IP-adresser kan tilføjes ved at adskille med komma. Accepterer også delvise IP-adresser lignende (111.111.111) +DocType: User,Restrict user from this IP address only. Multiple IP addresses can be added by separating with commas. Also accepts partial IP addresses like (111.111.111),Begræns brugeren til denne eneste IP-adresse. Flere IP-adresser kan tilføjes ved at adskille med komma. Accepterer også delvise IP-adresser lignende (111.111.111) DocType: Communication,From,Fra DocType: Website Theme,Google Font (Heading),Google Font (Overskrift) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,Vælg en gruppe node først. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},Find {0} i {1} +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},Find {0} i {1} DocType: OAuth Client,Implicit,Implicit DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","Føj som kommunikation mod denne DocType (skal have felter, "Status", "Emne")" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1898,12 +1906,14 @@ DocType: Communication,Timeline field Name,Tidslinje felt Navn DocType: Report,Report Type,Kontotype DocType: DocField,Signature,Underskrift apps/frappe/frappe/public/js/frappe/form/share.js +115,Share With,Del med -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loading,Loading +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loading,Indlæser apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.","Indtast tasterne for at aktivere login via Facebook, Google, GitHub." DocType: Auto Email Report,Filter Data,Filtreringsdata apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,Tilføj et tag -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,Vedhæft en fil først. +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,Vedhæft en fil først. apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator","Der var nogle fejl indstilling navnet, skal du kontakte administratoren" +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.","Du synes at have skrevet dit navn i stedet for din email. \ Indtast venligst en gyldig emailadresse, så vi kan komme tilbage." DocType: Website Slideshow Item,Website Slideshow Item,Website Slideshow Item DocType: Portal Settings,Default Role at Time of Signup,Standard Rolle på tidspunktet for Tilmeld DocType: DocType,Title Case,Titel Case @@ -1911,8 +1921,8 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ",Navngivning Valg:
    1. felt: [feltnavn] - Af Field
    2. naming_series: - Ved at Navngivning Series (felt kaldet naming_series skal være til stede
    3. Spørg - Spørg bruger om et navn
    4. [serie] - Series ved præfiks (adskilt af et punktum); for eksempel PRE. #####
    DocType: Blog Post,Email Sent,E-mail sendt DocType: DocField,Ignore XSS Filter,Ignorer XSS-filter -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,fjernet -apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,indstillinger Dropbox backup +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,fjernet +apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,Indstillinger Dropbox-sikkerhedskopi apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,Send som e-mail DocType: Website Theme,Link Color,Link Color apps/frappe/frappe/core/doctype/user/user.py +96,User {0} cannot be disabled,Bruger {0} kan ikke deaktiveres @@ -1932,9 +1942,9 @@ DocType: Letter Head,Letter Head Name,Brevhovednavn DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),Antal kolonner for et felt i en liste Vis eller en Grid (Total Kolonner skal være mindre end 11) apps/frappe/frappe/config/website.py +18,User editable form on Website.,Bruger redigerbare form på hjemmesiden. DocType: Workflow State,file,fil -apps/frappe/frappe/www/login.html +103,Back to Login,Tilbage til login +apps/frappe/frappe/www/login.html +108,Back to Login,Tilbage til log ind apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,Du har brug for at skrive tilladelse til at omdøbe -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,Anvende regel +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,Anvende regel DocType: User,Karma,Karma DocType: DocField,Table,Tabel DocType: File,File Size,Filstørrelse @@ -1942,9 +1952,9 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +397,You must login to s DocType: User,Background Image,Baggrundsbillede apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Country, Time Zone and Currency","Vælg dit land, tidszone og valuta" apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,Mellem -DocType: Async Task,Queued,Kø +DocType: Async Task,Queued,Sat i kø DocType: PayPal Settings,Use Sandbox,Brug Sandbox -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,Nyt brugerdefineret Print Format +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,Nyt brugerdefineret Print Format DocType: Custom DocPerm,Create,Opret apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},Ugyldig Filter: {0} DocType: Email Account,no failed attempts,ingen mislykkede forsøg @@ -1968,18 +1978,18 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,signal DocType: DocType,Show Print First,Vis Print First apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,Ctrl + Enter for at skrive -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},Opret ny {0} -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,Ny e-mail-konto +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},Opret ny(t) {0} +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,Ny e-mail-konto apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),Størrelse (MB) DocType: Help Article,Author,Forfatter apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,Genoptag afsendelse apps/frappe/frappe/core/doctype/communication/communication.js +47,Reopen,Genåben -apps/frappe/frappe/core/doctype/communication/communication.js +159,Re: {0},Re: {0} +apps/frappe/frappe/core/doctype/communication/communication.js +159,Re: {0},Sv: {0} DocType: Print Settings,Monochrome,Monokrom DocType: Contact,Purchase User,Indkøbsbruger DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.","Forskellige "stater" dette dokument kan eksistere i. Ligesom "Open", "Afventer godkendelse" osv" apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,Dette link er ugyldigt eller udløbet. Sørg for at du har indsat korrekt. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} er blevet afmeldt fra denne postliste. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} er blevet afmeldt fra denne postliste. DocType: Web Page,Slideshow,Slideshow apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,Standard-adresseskabelon kan ikke slettes DocType: Contact,Maintenance Manager,Vedligeholdelse manager @@ -1992,40 +2002,43 @@ apps/frappe/frappe/public/js/frappe/model/meta.js +167,Warning: Unable to find { apps/frappe/frappe/model/document.py +1047,This document is currently queued for execution. Please try again,Dette dokument er i øjeblikket i kø til udførelse. Prøv igen apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,Filer '{0}' blev ikke fundet apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,Fjern Sektion -DocType: User,Change Password,Skift kodeord -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},Ugyldig E-mail: {0} +DocType: User,Change Password,Skift adgangskode +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},Ugyldig E-mail: {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,Begivenhed ende skal være efter start apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},Du har ikke tilladelse til at få en rapport om: {0} DocType: DocField,Allow Bulk Edit,Tillad Bulk Edit DocType: Blog Post,Blog Post,Blog-indlæg -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,Avanceret søgning +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,Avanceret søgning apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,Vejledning til nulstilling af din adgangskode er sendt til din e-mail -DocType: Workflow,States,Stater +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.","Niveau 0 er til dokumentniveau tilladelser, \ højere niveauer for tilladelser på feltniveau." +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,Sorter efter +DocType: Workflow,States,Anvendes ikke DocType: Email Alert,Attach Print,Vedhæft Print apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},Foreslået Brugernavn: {0} apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,Dag -,Modules,moduler -apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,Set skrivebordsikoner -apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,Betaling succes -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,Ingen {0} mail -DocType: OAuth Bearer Token,Revoked,tilbagekaldt +,Modules,Moduler +apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,Angiv ikoner til skrivebordet +apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,Betaling gennemført +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,Ingen {0} mail +DocType: OAuth Bearer Token,Revoked,Tilbagekaldt DocType: Web Page,Sidebar and Comments,Sidebar og Kommentarer apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.","Når du Ændres et dokument, efter Annuller og gemme det, vil det få et nyt nummer, der er en version af det gamle nummer." -DocType: Stripe Settings,Publishable Key,Udgivelig nøgle +DocType: Stripe Settings,Publishable Key,Offentlig nøgle DocType: Workflow State,circle-arrow-left,cirkel-pil-venstre apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,Redis cache serveren ikke kører. Kontakt venligst Administrator / Tech support apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,Party Name -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,Opret ny post +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,Opret ny post apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,Søger DocType: Currency,Fraction,Fraktion DocType: LDAP Settings,LDAP First Name Field,LDAP Fornavn Field -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,Vælg fra eksisterende vedhæftede filer +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,Vælg fra eksisterende vedhæftede filer DocType: Custom Field,Field Description,Felt Beskrivelse apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,Navn ikke indtastet i prompt -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,E-mail indbakke +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,E-mail indbakke DocType: Auto Email Report,Filters Display,filtre Display DocType: Website Theme,Top Bar Color,Top Bar Color -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,Ønsker du at afmelde denne mailingliste? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,Ønsker du at afmelde denne mailingliste? DocType: Address,Plant,Plant apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,Svar alle DocType: DocType,Setup,Opsætning @@ -2035,8 +2048,8 @@ DocType: Workflow State,glass,glas DocType: DocType,Timeline Field,Tidslinje Field DocType: Country,Time Zones,Tidszoner apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,Der skal være mindst én tilladelsesregel. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,Få Varer -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,Du godkendte ikke adgang til Dropbox. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,Få Varer +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,Du godkendte ikke adgang til Dropbox. DocType: DocField,Image,Billede DocType: Workflow State,remove-sign,fjern-sign apps/frappe/frappe/www/search.html +30,Type something in the search box to search,Skriv noget i søgefeltet for at søge @@ -2045,9 +2058,9 @@ DocType: Communication,Other,Andre apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,Start ny Format apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,Vedhæft en fil DocType: Workflow State,font,font -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,Dette er en top-100 fælles adgangskode. -apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,Slå pop-ups -DocType: Contact,Mobile No,Mobiltelefonnr. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,Dette er en top-100 fælles adgangskode. +apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,Slå pop-ups til +DocType: User,Mobile No,Mobiltelefonnr. DocType: Communication,Text Content,Tekst indhold DocType: Customize Form Field,Is Custom Field,Er Tilpasset Field DocType: Workflow,"If checked, all other workflows become inactive.","Hvis markeret, alle andre arbejdsgange bliver inaktive." @@ -2059,17 +2072,17 @@ DocType: Address,Address Line 2,Adresse 2 DocType: Communication,Reference,Henvisning apps/frappe/frappe/public/js/frappe/model/model.js +26,Assigned To,Tildelt til DocType: Email Flag Queue,Action,Handling -apps/frappe/frappe/www/update-password.html +111,Please enter the password,Indtast venligst kodeordet +apps/frappe/frappe/www/update-password.html +111,Please enter the password,Indtast venligst adgangskoden apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,Ikke tilladt at udskrive aflyste dokumenter apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,Du har ikke lov til at oprette kolonner -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,Info: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,Info: DocType: Custom Field,Permission Level,Tilladelsesniveau -DocType: User,Send Notifications for Transactions I Follow,Send meddelelser til Transaktioner Jeg Følg +DocType: User,Send Notifications for Transactions I Follow,Send meddelelser til transaktioner jeg følger apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write","{0}: Kan ikke sætte Indsend, Annuller, Tekst uden Write" apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +83,Are you sure you want to delete the attachment?,"Er du sikker på, at du vil slette den vedhæftede fil?" apps/frappe/frappe/model/delete_doc.py +185,"Cannot delete or cancel because {0} {1} is linked with {2} {3}","Kan ikke slette eller annullere fordi {0} {1} er forbundet med {2} {3}" apps/frappe/frappe/__init__.py +1055,Thank you,Tak -apps/frappe/frappe/public/js/frappe/form/save.js +11,Saving,Lagring +apps/frappe/frappe/public/js/frappe/form/save.js +11,Saving,Gemmer DocType: Print Settings,Print Style Preview,Print Style Eksempel apps/frappe/frappe/core/doctype/file/test_file.py +81,Test_Folder,Test_Folder apps/frappe/frappe/website/doctype/web_form/web_form.py +356,You are not allowed to update this Web Form Document,Du har ikke tilladelse til at opdatere dette Webform-dokument @@ -2078,14 +2091,14 @@ DocType: About Us Settings,About Us Settings,Om os Indstillinger DocType: Website Settings,Website Theme,Website Tema DocType: DocField,In List View,I Listevisning DocType: Email Account,Use TLS,Brug TLS -apps/frappe/frappe/email/smtp.py +24,Invalid login or password,Ugyldigt login eller kodeord +apps/frappe/frappe/email/smtp.py +24,Invalid login or password,Ugyldigt brugernavn eller adgangskode apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,Tilføj brugerdefinerede javascript til formularer. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,Linjenr. -,Role Permissions Manager,Rolle Tilladelser manager +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,Linjenr. +,Role Permissions Manager,Rolleadministrator apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,Navnet på det nye Print Format -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,Klar Attachment -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,Obligatorisk: -,User Permissions Manager,Brugertilladelser manager +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,Klar Attachment +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,Obligatorisk: +,User Permissions Manager,Brugeradministrator DocType: Property Setter,New value to be set,Indtast ny værdi DocType: Email Alert,Days Before or After,Dage før eller efter DocType: Email Alert,Email Alert,E-mail advarsel @@ -2100,7 +2113,7 @@ apps/frappe/frappe/config/integrations.py +58,Settings for OAuth Provider,Indsti apps/frappe/frappe/public/js/frappe/form/workflow.js +35,Current status,Aktuel status DocType: Web Form,Allow Delete,Tillad Slet DocType: Email Alert,Message Examples,Besked Eksempler -DocType: Web Form,Login Required,Login Required +DocType: Web Form,Login Required,Du skal logge ind apps/frappe/frappe/config/website.py +42,Write titles and introductions to your blog.,Skriv titler og introduktioner til din blog. DocType: Email Account,Email Login ID,Email Login ID apps/frappe/frappe/templates/pages/integrations/payment-cancel.html +3,Payment Cancelled,Betaling annulleret @@ -2109,7 +2122,7 @@ apps/frappe/frappe/core/doctype/error_log/error_log_list.js +12,Clear Error Logs apps/frappe/frappe/templates/emails/feedback_request_url.html +2,Please select a rating,Vælg bedømmelse DocType: Email Account,Notify if unreplied for (in mins),"Informer, hvis unreplied for (i minutter)" apps/frappe/frappe/public/js/frappe/list/list_renderer.js +497,2 days ago,2 dage siden -apps/frappe/frappe/config/website.py +47,Categorize blog posts.,Kategoriser blogindlæg. +apps/frappe/frappe/config/website.py +47,Categorize blog posts.,Kategorisér blogindlæg. DocType: Workflow State,Time,Tid DocType: DocField,Attach,Vedhæft apps/frappe/frappe/core/doctype/doctype/doctype.py +519,{{{0}}} is not a valid fieldname pattern. It should be {{field_name}}.,{{{0}}} er ikke et gyldigt feltnavn mønster. Det bør være {{FIELD_NAME}}. @@ -2118,16 +2131,16 @@ DocType: Custom Role,Permission Rules,Tilladelsesregler DocType: Contact,Links,Links apps/frappe/frappe/model/base_document.py +428,Value missing for,Værdi mangler for apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,Tilføj ny -apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: Den ønskede post kan ikke slettes. -apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,Backup Size -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,ny dokumenttype +apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: Den godkendte post kan ikke slettes. +apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,Sikkerhedskopistørrelse +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,ny dokumenttype DocType: Custom DocPerm,Read,Læs DocType: Role Permission for Page and Report,Role Permission for Page and Report,Rolle Tilladelse til side og rapport apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,Juster Value apps/frappe/frappe/www/update-password.html +14,Old Password,Gammel adgangskode apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},Meddelelser fra {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.","For at formatere kolonner, giver kolonneetiketter i forespørgslen." -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,Har du ikke en konto? Tilmeld dig her +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,Har du ikke en konto? Tilmeld dig her apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,{0}: Kan ikke sætte Tildel Tekst hvis ikke Submittable apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,Edit Rolle Tilladelser DocType: Communication,Link DocType,Link DocType @@ -2141,7 +2154,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,Child Tabel apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,"Den side, du er på udkig efter mangler. Dette kan skyldes den flyttes, eller der er en tastefejl i linket." apps/frappe/frappe/www/404.html +13,Error Code: {0},Fejlkode: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)","Beskrivelse for notering side, i almindelig tekst, kun et par linjer. (max 140 tegn)" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,Tilføj en Bruger Begrænsning +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,Tilføj en Bruger Begrænsning DocType: DocType,Name Case,Navngiv Case apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,Delt med alle apps/frappe/frappe/model/base_document.py +423,Data missing in table,Data mangler i tabel @@ -2165,7 +2178,7 @@ apps/frappe/frappe/public/js/frappe/roles_editor.js +28,Add all roles,Tilføj al apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your email and message so that we \ can get back to you. Thanks!",Indtast venligst både din email og din meddelelse - så kommer vi tilbage til dig. Tak! apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,Kunne ikke forbinde til udgående e-mail-server -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,Tak for din interesse i at abonnere på vores opdateringer +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,Tak for din interesse i at abonnere på vores opdateringer apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,Tilpasset kolonne DocType: Workflow State,resize-full,resize-fuld DocType: Workflow State,off,af @@ -2175,18 +2188,18 @@ DocType: Async Task,Core,Core apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +78,Set Permissions,Set tilladelser DocType: DocField,Set non-standard precision for a Float or Currency field,Sæt ikke-standard præcision for en Float eller valuta felt DocType: Email Account,Ignore attachments over this size,Ignorér vedhæftede filer større end denne størrelse -DocType: Address,Preferred Billing Address,Foretrukne Faktureringsadresse +DocType: Address,Preferred Billing Address,Foretruken faktureringsadresse apps/frappe/frappe/database.py +231,Too many writes in one request. Please send smaller requests,Alt for mange skriver i en anmodning. Send venligst mindre anmodninger apps/frappe/frappe/core/doctype/version/version_view.html +8,Values Changed,Værdier ændret DocType: Workflow State,arrow-up,arrow-up DocType: OAuth Bearer Token,Expires In,udløber I -DocType: DocField,Allow on Submit,Tillad på Indsend +DocType: DocField,Allow on Submit,Tillad på Godkend DocType: DocField,HTML,HTML DocType: Error Snapshot,Exception Type,Undtagelsestype -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,Pick kolonner +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,Vælg kolonner DocType: Web Page,Add code as <script>,Føje kode som <script> apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +7,Select Type,Vælg type -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +24,Please enter values for App Access Key and App Secret Key,Indtast værdier for App adgangsnøgle og App Secret Key +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +26,Please enter values for App Access Key and App Secret Key,Indtast værdier for App adgangsnøgle og App Secret Key DocType: Web Form,Accept Payment,Accepter betaling apps/frappe/frappe/config/core.py +62,A log of request errors,En log over anmodning fejl DocType: Report,Letter Head,Brevhoved @@ -2216,33 +2229,33 @@ apps/frappe/frappe/public/js/frappe/request.js +111,Please try again,Prøv igen apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 3,Mulighed 3 DocType: Unhandled Email,uid,uid DocType: Workflow State,Edit,Redigér -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Permissions can be managed via Setup > Role Permissions Manager,Tilladelser kan styres via Setup> Rolle Tilladelser manager +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +226,Permissions can be managed via Setup > Role Permissions Manager,Tilladelser kan styres via Setup> Rolleadministrator DocType: Contact Us Settings,Pincode,Pinkode apps/frappe/frappe/core/page/data_import_tool/importer.py +81,Please make sure that there are no empty columns in the file.,"Sørg for, at der ikke er nogen tomme kolonner i filen." apps/frappe/frappe/utils/oauth.py +232,Please ensure that your profile has an email address,"Sørg for, at din profil har en e-mailadresse" -apps/frappe/frappe/public/js/frappe/model/create_new.js +282,You have unsaved changes in this form. Please save before you continue.,Du har ikke-gemte ændringer i dette skærmbillede. Gem før du fortsætter. +apps/frappe/frappe/public/js/frappe/model/create_new.js +286,You have unsaved changes in this form. Please save before you continue.,Du har ikke-gemte ændringer i dette skærmbillede. Gem før du fortsætter. apps/frappe/frappe/core/doctype/doctype/doctype.py +439,Default for {0} must be an option,Standard for {0} skal være en mulighed DocType: Tag Doc Category,Tag Doc Category,Tag Doc Kategori -DocType: User,User Image,Bruger Billede +DocType: User,User Image,Brugerbillede apps/frappe/frappe/email/queue.py +286,Emails are muted,E-mails er slået fra apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Up,Ctrl + Up DocType: Website Theme,Heading Style,Overskrift Style apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,En ny sag med dette navn vil blive oprettet -apps/frappe/frappe/utils/data.py +527,1 weeks ago,1 uge siden +apps/frappe/frappe/utils/data.py +528,1 weeks ago,1 uge siden apps/frappe/frappe/desk/page/applications/applications.py +75,You cannot install this app,Du kan ikke installere denne app DocType: Communication,Error,Fejl -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +89,Do not send Emails.,Send ikke e-mails. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +99,Do not send Emails.,Send ikke e-mails. DocType: DocField,Column Break,Kolonne Break DocType: Event,Thursday,Torsdag apps/frappe/frappe/utils/response.py +143,You don't have permission to access this file,Du har ikke tilladelse til at få adgang til denne fil apps/frappe/frappe/model/document.py +639,Cannot link cancelled document: {0},Kan ikke linke annulleret dokument: {0} -apps/frappe/frappe/core/doctype/report/report.py +28,Cannot edit a standard report. Please duplicate and create a new report,Kan ikke redigere en standard rapport. Venligst duplikere og skabe en ny rapport +apps/frappe/frappe/core/doctype/report/report.py +28,Cannot edit a standard report. Please duplicate and create a new report,Kan ikke redigere en standardrapport. Venligst duplikér og opret en ny rapport apps/frappe/frappe/geo/doctype/address/address.py +54,"Company is mandatory, as it is your company address","Selskabet er obligatorisk, da det er din firmaadresse" apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +698,"For example: If you want to include the document ID, use {0}","For eksempel: Hvis du ønsker at inkludere dokumentet id, skal du bruge {0}" apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +600,Select Table Columns for {0},Vælg Tabel Kolonner for {0} DocType: Custom Field,Options Help,Options Hjælp DocType: Footer Item,Group Label,Gruppe Label -DocType: Kanban Board,Kanban Board,Kanban Board +DocType: Kanban Board,Kanban Board,Kanbantavle DocType: DocField,Report Hide,Rapporter Skjul apps/frappe/frappe/public/js/frappe/views/treeview.js +17,Tree view not available for {0},Træ visning ikke tilgængelig for {0} DocType: Email Account,Domain,Domæne @@ -2275,25 +2288,23 @@ apps/frappe/frappe/config/desk.py +38,Private and public Notes.,Private og offen DocType: DocField,Datetime,Datetime apps/frappe/frappe/templates/includes/login/login.js +174,Not a valid user,Ikke en gyldig bruger DocType: Workflow State,arrow-right,arrow-ret -apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} år siden DocType: Workflow State,Workflow state represents the current state of a document.,Workflow tilstand repræsenterer den aktuelle tilstand af et dokument. apps/frappe/frappe/utils/oauth.py +221,Token is missing,Token mangler -apps/frappe/frappe/utils/file_manager.py +269,Removed {0},Fjernede {0} +apps/frappe/frappe/utils/file_manager.py +269,Removed {0},Fjernet {0} DocType: Company History,Highlight,Fremhæv DocType: OAuth Provider Settings,Force,Kraft DocType: DocField,Fold,Fold -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +656,Ascending,Stigende +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Ascending,Stigende apps/frappe/frappe/printing/doctype/print_format/print_format.py +19,Standard Print Format cannot be updated,Standard Print Format kan ikke opdateres apps/frappe/frappe/public/js/frappe/model/model.js +537,Please specify,Angiv venligst DocType: Communication,Bot,Bot DocType: Help Article,Help Article,Hjælp artikel DocType: Page,Page Name,Sidenavn -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +202,Help: Field Properties,Help: Field Properties -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +134,Importing...,importerer ... +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +203,Help: Field Properties,Help: Field Properties +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +137,Importing...,importerer ... apps/frappe/frappe/core/doctype/file/file.js +27,Unzip,Unzip apps/frappe/frappe/model/document.py +923,Incorrect value in row {0}: {1} must be {2} {3},Forkert værdi i række {0}: {1} skal være {2} {3} apps/frappe/frappe/workflow/doctype/workflow/workflow.py +67,Submitted Document cannot be converted back to draft. Transition row {0},Indsendt Dokument kan ikke konverteres tilbage til at udarbejde. Overgang rækken {0} -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Opsætning> Bruger apps/frappe/frappe/desk/reportview.py +217,Deleting {0},Sletning {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start.html +2,Select an existing format to edit or start a new format.,Vælg en eksisterende format for at redigere eller starte et nyt format. apps/frappe/frappe/workflow/doctype/workflow/workflow.py +38,Created Custom Field {0} in {1},Oprettet Brugerdefineret felt {0} i {1} @@ -2311,12 +2322,12 @@ DocType: OAuth Provider Settings,Auto,Auto DocType: Workflow State,question-sign,spørgsmålstegn DocType: Email Account,Add Signature,Tilføj signatur apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +38,Left this conversation,Forladt denne samtale -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +479,Did not set,Ikke indstillet -,Background Jobs,Baggrund Jobs +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Did not set,Ikke indstillet +,Background Jobs,Baggrundsjobs DocType: ToDo,ToDo,Opgave DocType: DocField,No Copy,Ingen kopi DocType: Workflow State,qrcode,QR-code -apps/frappe/frappe/www/login.html +29,Login with LDAP,Login med LDAP +apps/frappe/frappe/www/login.html +34,Login with LDAP,Login med LDAP DocType: Web Form,Breadcrumbs,Rasp apps/frappe/frappe/core/doctype/doctype/doctype.py +637,If Owner,Hvis ejer DocType: OAuth Authorization Code,Expiration time,udløb tid @@ -2325,7 +2336,7 @@ DocType: Web Form,Show Sidebar,Vis Sidebar apps/frappe/frappe/website/doctype/web_form/web_form.py +128,You need to be logged in to access this {0}.,Du skal være logget ind for at få adgang til denne {0}. apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +142,Complete By,Færdiggjort af apps/frappe/frappe/templates/includes/comments/comments.py +48,{0} by {1},{0} af {1} -apps/frappe/frappe/utils/password_strength.py +169,All-uppercase is almost as easy to guess as all-lowercase.,"All-store bogstaver er næsten lige så let at gætte, da alle-små bogstaver." +apps/frappe/frappe/utils/password_strength.py +171,All-uppercase is almost as easy to guess as all-lowercase.,"All-store bogstaver er næsten lige så let at gætte, da alle-små bogstaver." DocType: Feedback Trigger,Email Fieldname,E-mail Feltnavn DocType: Website Settings,Top Bar Items,Top Bar Varer apps/frappe/frappe/email/doctype/email_account/email_account.py +53,"Email id must be unique, Email Account is already exist \ @@ -2335,19 +2346,17 @@ DocType: Page,Yes,Ja DocType: DocType,Max Attachments,Maks Vedhæftede DocType: Desktop Icon,Page,Side apps/frappe/frappe/utils/bot.py +145,Could not find {0} in {1},Kunne ikke finde {0} i {1} -apps/frappe/frappe/utils/password_strength.py +161,Names and surnames by themselves are easy to guess.,Navne og efternavne er nemme at gætte. +apps/frappe/frappe/utils/password_strength.py +163,Names and surnames by themselves are easy to guess.,Navne og efternavne er nemme at gætte. apps/frappe/frappe/config/website.py +93,Knowledge Base,Knowledge Base DocType: Workflow State,briefcase,mappe apps/frappe/frappe/model/base_document.py +561,Value cannot be changed for {0},Værdi kan ikke ændres for {0} -apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.","Du synes at have skrevet dit navn i stedet for din e-mail. \ Indtast en gyldig e-mail-adresse, så vi kan komme tilbage." DocType: Feedback Request,Is Manual,er Manual DocType: Workflow State,"Style represents the button color: Success - Green, Danger - Red, Inverse - Black, Primary - Dark Blue, Info - Light Blue, Warning - Orange","Style repræsenterer knap farve: Succes - Grøn, Danger - Rød, Inverse - Sort, Primary - Mørkeblå, Info - Lyseblå, Advarsel - Orange" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +158,No Report Loaded. Please use query-report/[Report Name] to run a report.,Ingen Rapport. Brug venligst forespørgsels-rapport / [Forkert navn] for at køre en rapport. DocType: Workflow Transition,Workflow Transition,Workflow Transition apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +53,{0} months ago,{0} måneder siden -apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,Lavet af -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +92,Dropbox Setup,Dropbox Setup +apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,Oprettet af +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +90,Dropbox Setup,Dropbox Setup DocType: Workflow State,resize-horizontal,resize-horisontale DocType: Note,Content,Indhold apps/frappe/frappe/public/js/frappe/views/treeview.js +261,Group Node,Gruppe Node @@ -2355,6 +2364,7 @@ DocType: Communication,Notification,Notifikation DocType: Web Form,Go to this url after completing the form.,Gå til denne url efter at udfylde formularen. DocType: DocType,Document,Dokument apps/frappe/frappe/core/doctype/doctype/doctype.py +186,Series {0} already used in {1},Serien {0} allerede anvendes i {1} +apps/frappe/frappe/core/page/data_import_tool/importer.py +225,Unsupported File Format,Ikke-understøttet filformat DocType: DocField,Code,Kode DocType: Workflow,"All possible Workflow States and roles of the workflow. Docstatus Options: 0 is""Saved"", 1 is ""Submitted"" and 2 is ""Cancelled""","Alle mulige Workflow stater og roller arbejdsgangen. Docstatus Valg: 0 er "frelst", 1 "Indsendte" og 2 "Annulleret"" DocType: Website Theme,Footer Text Color,Footer Tekstfarve @@ -2379,17 +2389,17 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +45,just now,lige nu DocType: Footer Item,Policy,Politik apps/frappe/frappe/integrations/utils.py +76,{0} Settings not found,{0} Indstillinger ikke fundet DocType: Module Def,Module Def,Modul Def -apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,Done,Udført apps/frappe/frappe/core/doctype/communication/communication.js +61,Reply,Svar apps/frappe/frappe/config/core.py +22,Pages in Desk (place holders),Sider i Desk (pladsholdere) DocType: DocField,Collapsible Depends On,Sammenklappelig Afhænger On DocType: Print Settings,Allow page break inside tables,Tillad sideskift inde i tabeller DocType: Email Account,SMTP Server,SMTP-server DocType: Print Format,Print Format Help,Print Format Hjælp +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +63,Update the template and save in downloaded format before attaching.,"Opdater skabelonen og gem det i downloadet format, inden du vedhæfter." apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +852,With Groups,Med grupper DocType: DocType,Beta,Beta apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +22,restored {0} as {1},restaureret {0} som {1} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Hvis du opdaterer, skal du vælge "Overskriv" vil ellers eksisterende rækker ikke slettes." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +71,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Hvis du opdaterer, skal du vælge "Overskriv" vil ellers eksisterende rækker ikke slettes." DocType: Event,Every Month,Hver måned DocType: Letter Head,Letter Head in HTML,Brevhoved i HTML DocType: Web Form,Web Form,Web Form @@ -2412,14 +2422,14 @@ apps/frappe/frappe/public/js/frappe/socketio_client.js +51,Progress,Fremskridt apps/frappe/frappe/public/js/frappe/form/workflow.js +32, by Role ,efter rolle apps/frappe/frappe/public/js/frappe/form/save.js +148,Missing Fields,manglende felter apps/frappe/frappe/core/doctype/doctype/doctype.py +176,Invalid fieldname '{0}' in autoname,Ugyldigt feltnavn '{0}' i autoname -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Search in a document type,Søg i en dokumenttype -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +257,Allow field to remain editable even after submission,Tillad felt forbliver redigerbare selv efter indsendelse +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,Search in a document type,Søg i en dokumenttype +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +258,Allow field to remain editable even after submission,Tillad felt forbliver redigerbare selv efter indsendelse DocType: Custom DocPerm,Role and Level,Rolle og niveau DocType: File,Thumbnail URL,Thumbnail URL apps/frappe/frappe/desk/moduleview.py +37,Custom Reports,Tilpassede rapporter DocType: Website Script,Website Script,Website Script apps/frappe/frappe/config/setup.py +182,Customized HTML Templates for printing transactions.,Tilpassede HTML-skabeloner til udskrivning transaktioner. -apps/frappe/frappe/public/js/frappe/form/print.js +247,Orientation,Orientering +apps/frappe/frappe/public/js/frappe/form/print.js +250,Orientation,Orientering DocType: Workflow,Is Active,Er Aktiv apps/frappe/frappe/desk/form/utils.py +91,No further records,Ikke flere poster DocType: DocField,Long Text,Lang tekst @@ -2443,7 +2453,6 @@ apps/frappe/frappe/templates/includes/contact.js +30,Thank you for your message, apps/frappe/frappe/public/js/frappe/views/communication.js +68,Send Read Receipt,Send Læs Kvittering DocType: Stripe Settings,Stripe Settings,Stripe-indstillinger DocType: Dropbox Settings,Dropbox Setup via Site Config,Dropbox Opsætning via webstedet Config -apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Ingen standard adresse skabelon fundet. Opret venligst en ny fra Opsætning> Udskrivning og branding> Adresseskabelon. apps/frappe/frappe/www/login.py +64,Invalid Login Token,Ugyldig login Token apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +48,1 hour ago,1 time siden DocType: Social Login Keys,Frappe Client ID,Frappe klient-id @@ -2464,7 +2473,7 @@ DocType: Address Template,"

    Default Template

    {% if email_id %}Email: {{ email_id }}<br>{% endif -%} ","

    Standardskabelon

    Bruger Jinja Templatering og alle områderne adresse (herunder brugerdefinerede felter hvis nogen) vil være til rådighed

     {{ address_line1 }}<br> {% if address_line2 %}{{ address_line2 }}<br>{% endif -%} {{ city }}<br> {% if state %}{{ state }}<br>{% endif -%} {% if pincode %} PIN: {{ pincode }}<br>{% endif -%} {{ country }}<br> {% if phone %}Phone: {{ phone }}<br>{% endif -%} {% if fax %}Fax: {{ fax }}<br>{% endif -%} {% if email_id %}Email: {{ email_id }}<br>{% endif -%} 
    " DocType: Role,Role Name,Rollenavn -apps/frappe/frappe/website/js/website.js +379,Switch To Desk,Skift til Desk +apps/frappe/frappe/website/js/website.js +376,Switch To Desk,Skift til skrivebordet apps/frappe/frappe/config/core.py +27,Script or Query reports,Script eller Query rapporter DocType: Workflow Document State,Workflow Document State,Workflow Document State apps/frappe/frappe/public/js/frappe/request.js +115,File too big,Filen er for stor @@ -2473,18 +2482,18 @@ DocType: Payment Gateway,Payment Gateway,Betaling Gateway apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +32,"To give acess to a role for only specific records, check the Apply User Permissions. User Permissions are used to limit users with such role to specific records.","At give acess til en rolle for kun specifikke poster, skal du kontrollere Anvend User Tilladelser. User Tilladelser til at begrænse brugere med sådan rolle til bestemte poster." DocType: Portal Settings,Hide Standard Menu,Skjul Standardmenuen apps/frappe/frappe/config/setup.py +145,Add / Manage Email Domains.,Tilføj / Administrer e-mail domæner. -apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel before submitting. See Transition {0},Kan ikke annullere inden fremlæggelsen. Se Overgang {0} +apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel before submitting. See Transition {0},Kan ikke annullere inden godkendelse. Se Overgang {0} apps/frappe/frappe/www/printview.py +205,Print Format {0} is disabled,Print Format {0} er deaktiveret DocType: Email Alert,Send days before or after the reference date,Send dage før eller efter skæringsdatoen DocType: User,Allow user to login only after this hour (0-24),Tillad brugeren at logge først efter denne time (0-24) -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Value,Value -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +166,Click here to verify,Klik her for at verificere -apps/frappe/frappe/utils/password_strength.py +172,Predictable substitutions like '@' instead of 'a' don't help very much.,Forudsigelige udskiftninger som '@' i stedet for 'a' ikke hjælper meget. +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Value,Værdi +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +165,Click here to verify,Klik her for at verificere +apps/frappe/frappe/utils/password_strength.py +174,Predictable substitutions like '@' instead of 'a' don't help very much.,Forudsigelige udskiftninger som '@' i stedet for 'a' ikke hjælper meget. apps/frappe/frappe/desk/doctype/todo/todo_list.js +22,Assigned By Me,Tildelt af mig apps/frappe/frappe/core/doctype/doctype/doctype.py +80,Not in Developer Mode! Set in site_config.json or make 'Custom' DocType.,Ikke i Udviklings-tilstand! Sat i site_config.json eller lav 'Brugerdefineret' DocType. DocType: Workflow State,globe,kloden DocType: System Settings,dd.mm.yyyy,dd.mm.åååå -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +249,Hide field in Standard Print Format,Skjul feltet i Standard Print Format +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +250,Hide field in Standard Print Format,Skjul feltet i Standard Print Format DocType: ToDo,Priority,Prioritet DocType: Email Queue,Unsubscribe Param,Afmeld Param DocType: Auto Email Report,Weekly,Ugentlig @@ -2492,15 +2501,15 @@ DocType: Communication,In Reply To,Som svar på DocType: DocType,Allow Import (via Data Import Tool),Tillad Import (via Dataimport Tool) apps/frappe/frappe/templates/print_formats/standard_macros.html +30,Sr,Sr DocType: DocField,Float,Float -apps/frappe/frappe/www/update-password.html +71,Invalid Password,forkert kodeord +apps/frappe/frappe/www/update-password.html +71,Invalid Password,Forkert adgangskode DocType: Contact,Purchase Master Manager,Indkøb Master manager -DocType: Module Def,Module Name,Modul Navn +DocType: Module Def,Module Name,Modulnavn DocType: DocType,DocType is a Table / Form in the application.,DocType er en tabel / formular i ansøgningen. DocType: Email Account,GMail,GMail -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,{0} Report,{0} Rapport +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +111,{0} Report,{0} Rapport DocType: Communication,SMS,SMS DocType: DocType,Web View,Web View -apps/frappe/frappe/public/js/frappe/form/print.js +166,Warning: This Print Format is in old style and cannot be generated via the API.,Advarsel: dette Print Format er gamle stil og kan ikke genereres via API. +apps/frappe/frappe/public/js/frappe/form/print.js +169,Warning: This Print Format is in old style and cannot be generated via the API.,Advarsel: dette Print Format er gamle stil og kan ikke genereres via API. DocType: DocField,Print Width,Print Bredde ,Setup Wizard,Setup Wizard DocType: User,Allow user to login only before this hour (0-24),Tillad brugeren at logge kun inden denne time (0-24) @@ -2530,16 +2539,16 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +433,Options 'Dynamic Link' t DocType: About Us Settings,Team Members Heading,Team Members Udgifts apps/frappe/frappe/utils/csvutils.py +35,Invalid CSV Format,Ugyldigt CSV-format DocType: Address,Name of person or organization that this address belongs to.,"Navn på den person eller firma, som denne adresse tilhører." -apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,Sæt Antal Backups +apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,Angiv antal sikkerhedskopier DocType: DocField,Do not allow user to change after set the first time,Tillad ikke brugeren at ændre sig efter indstille den første gang -apps/frappe/frappe/public/js/frappe/upload.js +247,Private or Public?,Privat eller offentlig? -apps/frappe/frappe/utils/data.py +535,1 year ago,1 år siden +apps/frappe/frappe/public/js/frappe/upload.js +251,Private or Public?,Privat eller offentlig? +apps/frappe/frappe/utils/data.py +536,1 year ago,1 år siden DocType: Contact,Contact,Kontakt DocType: User,Third Party Authentication,Third Party Authentication DocType: Website Settings,Banner is above the Top Menu Bar.,Banner er over den øverste menubjælke. DocType: Razorpay Settings,API Secret,API Secret -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +726,Export Report: ,Eksporter rapport: -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +672,{0} {1} does not exist,{0} {1} findes ikke +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +853,Export Report: ,Udlæs rapport: +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +674,{0} {1} does not exist,{0} {1} findes ikke DocType: Email Account,Port,Port DocType: Print Format,Arial,Arial apps/frappe/frappe/config/core.py +12,Models (building blocks) of the Application,Modeller (byggesten) af ansøgningen @@ -2549,7 +2558,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +104,Select M apps/frappe/frappe/sessions.py +29,Cache Cleared,Cache Ryddet DocType: Email Account,UIDVALIDITY,UIDVALIDITY apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +22,New Email,Ny e-mail -DocType: Custom DocPerm,Export,Eksport +DocType: Custom DocPerm,Export,Udlæs DocType: Dropbox Settings,Dropbox Settings,Dropbox Indstillinger DocType: About Us Settings,More content for the bottom of the page.,Mere indhold til bunden af siden. DocType: Workflow,DocType on which this Workflow is applicable.,DocType for denne Workflow er gældende. @@ -2571,10 +2580,10 @@ DocType: DocField,Display Depends On,Displayet afhænger af DocType: Web Page,Insert Code,Indsæt kode DocType: ToDo,Low,Lav apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +697,You can add dynamic properties from the document by using Jinja templating.,Du kan tilføje dynamiske egenskaber fra dokumentet ved hjælp Jinja templating. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,List a document type,Liste en dokumenttype +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,List a document type,Liste en dokumenttype DocType: Event,Ref Type,Ref Type -apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,"If you are uploading new records, leave the ""name"" (ID) column blank.","Hvis du uploader nye rekorder, forlader "navn" (ID) søjle tom." -apps/frappe/frappe/config/core.py +47,Errors in Background Events,Fejl i Baggrund Begivenheder +apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, leave the ""name"" (ID) column blank.","Hvis du uploader nye rekorder, forlader "navn" (ID) søjle tom." +apps/frappe/frappe/config/core.py +47,Errors in Background Events,Fejl i baggrunds-begivenheder apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +399,No of Columns,Antal kolonner DocType: Workflow State,Calendar,Kalender apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +70,Seems ldap is not installed on system,Synes ldap er ikke installeret på systemet @@ -2585,10 +2594,10 @@ DocType: Workflow State,road,vej DocType: LDAP Settings,Organizational Unit,Organisatorisk enhed DocType: User,Timezone,Tidszone apps/frappe/frappe/public/js/frappe/model/model.js +106,Unable to load: {0},Kunne ikke indlæse: {0} -apps/frappe/frappe/config/integrations.py +28,Backup,Backup +apps/frappe/frappe/config/integrations.py +28,Backup,Sikkerhedskopi apps/frappe/frappe/core/page/usage_info/usage_info.html +3,Expires in {0} days,Udløber om {0} dage DocType: DocField,Read Only,Skrivebeskyttet -apps/frappe/frappe/email/doctype/email_group/email_group.js +43,New Newsletter,Ny Nyhedsbrev +apps/frappe/frappe/email/doctype/email_group/email_group.js +45,New Newsletter,Nyt nyhedsbrev DocType: Print Settings,Send Print as PDF,Send udskrift som PDF DocType: Web Form,Amount,Beløb DocType: Workflow Transition,Allowed,Tilladt @@ -2598,33 +2607,34 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.py +23,Inva apps/frappe/frappe/templates/includes/login/login.js +192,Invalid Login. Try again.,Ugyldigt login. Prøv igen. apps/frappe/frappe/core/doctype/doctype/doctype.py +400,Options required for Link or Table type field {0} in row {1},Valgmuligheder der kræves for Link eller Tabel type felt {0} i række {1} DocType: Auto Email Report,Send only if there is any data,Send kun hvis der er nogen data -apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filters,Gendan filtre +apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filters,Nulstil filtre apps/frappe/frappe/core/doctype/doctype/doctype.py +654,{0}: Permission at level 0 must be set before higher levels are set,"{0}: Tilladelse på niveau 0 skal indstilles, før der indstilles højere niveauer" apps/frappe/frappe/desk/doctype/todo/todo.py +28,Assignment closed by {0},Opgave lukket af {0} DocType: Integration Request,Remote,Fjern -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +140,Calculate,Beregn +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Calculate,Beregn apps/frappe/frappe/printing/doctype/print_format/print_format.js +28,Please select DocType first,Vælg venligst DocType først -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +174,Confirm Your Email,Bekræft din e-mail -apps/frappe/frappe/www/login.html +37,Or login with,Eller login med -DocType: Error Snapshot,Locals,Locals +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +173,Confirm Your Email,Bekræft din e-mail +apps/frappe/frappe/www/login.html +42,Or login with,Eller login med +DocType: Error Snapshot,Locals,Lokale apps/frappe/frappe/desk/page/activity/activity_row.html +19,Communicated via {0} on {1}: {2},Kommunikeres via {0} på {1}: {2} apps/frappe/frappe/core/doctype/communication/comment.py +85,{0} mentioned you in a comment in {1},{0} omtalte dig i en kommentar i {1} -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,f.eks (55 + 434) / 4 eller = Math.sin (Math.PI / 2) ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,f.eks (55 + 434) / 4 eller = Math.sin (Math.PI / 2) ... apps/frappe/frappe/model/naming.py +45,{0} is required,{0} er påkrævet DocType: Integration Request,Integration Type,Integration Type DocType: Newsletter,Send Attachements,Send vedhæftede filer DocType: Social Login Keys,GitHub Client ID,GitHub Client ID DocType: Contact Us Settings,City,By DocType: DocField,Perm Level,Perm Level -apps/frappe/frappe/desk/doctype/event/event.py +54,Events In Today's Calendar,Begivenheder I dagens kalender +apps/frappe/frappe/desk/doctype/event/event.py +54,Events In Today's Calendar,Begivenheder ifølge dagens kalender DocType: Web Page,Web Page,Webside DocType: Blog Category,Blogger,Blogger apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},'I Global søgning' er ikke tilladt for type {0} i række {1} apps/frappe/frappe/public/js/frappe/views/treeview.js +297,View List,Se liste -apps/frappe/frappe/public/js/frappe/form/control.js +685,Date must be in format: {0},Dato skal være i format: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +686,Date must be in format: {0},Dato skal være i format: {0} DocType: Workflow,Don't Override Status,Må ikke Tilsidesæt status apps/frappe/frappe/www/feedback.html +90,Please give a rating.,Giv en rating. apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} Feedback Request +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +26,Search term,Søgeord apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +548,The First User: You,Den første bruger: dig selv apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +32,Select Columns,Vælg kolonner DocType: Translation,Source Text,Kilde Tekst @@ -2636,18 +2646,18 @@ apps/frappe/frappe/config/website.py +37,Single Post (article).,Single Post (art apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +10,Reports,Rapporter DocType: Page,No,Ingen DocType: Property Setter,Set Value,Set Value -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +245,Hide field in form,Skjul felt i formular -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +93,Illegal Access Token. Please try again,Ulovlig adgangs-token. Prøv igen +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +246,Hide field in form,Skjul felt i formular +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +91,Illegal Access Token. Please try again,Ulovlig adgangs-token. Prøv igen apps/frappe/frappe/public/js/frappe/desk.js +93,"The application has been updated to a new version, please refresh this page","Ansøgningen er blevet opdateret til en ny version, skal du opdatere denne side" apps/frappe/frappe/core/doctype/communication/communication.js +35,Resend,Send igen DocType: Feedback Trigger,Optional: The alert will be sent if this expression is true,"Valgfrit: Alarmen vil blive sendt, hvis dette udtryk er sand" -DocType: Print Settings,Print with letterhead,Print med brevpapir -DocType: Unhandled Email,Raw Email,Rå Email -apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,Vælg rekorder for tildeling -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +135,Importing,Import +DocType: Print Settings,Print with letterhead,Udskriv med brevhoved +DocType: Unhandled Email,Raw Email,Udkast til e-mail +apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,Vælg rækker der skal tildeles +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +138,Importing,Import DocType: ToDo,Assigned By,Tildelt af apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +27,You can use Customize Form to set levels on fields.,Du kan bruge Tilpas Form til at indstille niveauet på marker. -DocType: Custom DocPerm,Level,Level +DocType: Custom DocPerm,Level,Niveau DocType: Custom DocPerm,Report,Rapport apps/frappe/frappe/website/doctype/web_form/web_form.py +59,Amount must be greater than 0.,Beløb skal være større end 0. apps/frappe/frappe/desk/reportview.py +105,{0} is saved,{0} er gemt @@ -2661,7 +2671,7 @@ DocType: Web Form,Allow saving if mandatory fields are not filled,Tillad bespare apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +161,Change,Ændring DocType: Email Domain,domain name,domænenavn apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_value.html +3,No records.,Ingen poster. -apps/frappe/frappe/website/doctype/website_settings/website_settings.js +17,Exported,Eksporteres +apps/frappe/frappe/website/doctype/website_settings/website_settings.js +17,Exported,Udlæst DocType: Kanban Board Column,Order,Bestille DocType: Website Theme,Background,Baggrund DocType: Custom DocPerm,"JSON list of DocTypes used to apply User Permissions. If empty, all linked DocTypes will be used to apply User Permissions.","JSON liste over doctypes bruges til at anvende Bruger Tilladelser. Hvis tom, vil alle tilknyttede doctypes bruges til at anvende Bruger Tilladelser." @@ -2671,29 +2681,28 @@ apps/frappe/frappe/public/js/frappe/form/templates/print_layout.html +22,Full Pa DocType: DocType,Is Child Table,Er Child Table apps/frappe/frappe/utils/csvutils.py +124,{0} must be one of {1},{0} skal være en af {1} apps/frappe/frappe/public/js/frappe/form/form_viewers.js +28,{0} is currently viewing this document,{0} læser i øjeblikket dette dokument -apps/frappe/frappe/config/core.py +52,Background Email Queue,Baggrund E-mail kø +apps/frappe/frappe/config/core.py +52,Background Email Queue,E-mailkø i baggrunden apps/frappe/frappe/core/doctype/user/user.py +229,Password Reset,Nulstil adgangskode DocType: Communication,Opened,Åbnet DocType: Workflow State,chevron-left,chevron-venstre DocType: Communication,Sending,Sender -apps/frappe/frappe/auth.py +228,Not allowed from this IP Address,Ikke tilladt fra denne IP-adresse +apps/frappe/frappe/auth.py +231,Not allowed from this IP Address,Ikke tilladt fra denne IP-adresse DocType: Website Slideshow,This goes above the slideshow.,Dette går over diasshowet. apps/frappe/frappe/config/setup.py +254,Install Applications.,Installer applikationer. DocType: User,Last Name,Efternavn DocType: Event,Private,Privat apps/frappe/frappe/email/doctype/email_alert/email_alert.js +75,No alerts for today,Ingen advarsler for dag -DocType: Print Settings,Send Email Print Attachments as PDF (Recommended),Send Email Print Vedhæftede som PDF (anbefales) +DocType: Print Settings,Send Email Print Attachments as PDF (Recommended),Send e-mail med udskriften vedhæftet som PDF (anbefales) DocType: Web Page,Left,Venstre DocType: Event,All Day,Hele dagen apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +387,Show rows with zero values,Vis rækker med nul værdier apps/frappe/frappe/integrations/utils.py +88,Looks like something is wrong with this site's payment gateway configuration. No payment has been made.,Ligner noget galt med dette websted betalingsgateway konfiguration. Ingen betaling har fundet sted. -DocType: Address,State,Stat +DocType: Address,State,Anvendes ikke DocType: Workflow Action,Workflow Action,Workflow Handling DocType: DocType,"Image Field (Must of type ""Attach Image"")",Billede Field (Skal af typen "Vedhæft billede") apps/frappe/frappe/utils/bot.py +43,I found these: ,Jeg fandt disse: -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +692,Set Sort,Sæt Sort DocType: Event,Send an email reminder in the morning,Send en e-mail påmindelse om morgenen -DocType: Blog Post,Published On,Udgivet On +DocType: Blog Post,Published On,Udgivet d. DocType: User,Gender,Køn apps/frappe/frappe/website/doctype/web_form/web_form.py +340,Mandatory Information missing:,mangler Obligatorisk information: apps/frappe/frappe/core/doctype/doctype/doctype.py +472,Field '{0}' cannot be set as Unique as it has non-unique values,"Field '{0}' kan ikke indstilles som enestående, da det har ikke-entydige værdier" @@ -2709,13 +2718,15 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +30 DocType: Workflow State,warning-sign,advarsel-skilt DocType: Workflow State,User,Bruger DocType: Website Settings,"Show title in browser window as ""Prefix - title""",Vis titel i browservinduet som "Præfiks - overskrift" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,text in document type,tekst i dokumenttype +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,text in document type,tekst i dokumenttype apps/frappe/frappe/handler.py +91,Logged Out,Logget ud -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +236,More...,Mere... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +237,More...,Mere... +DocType: System Settings,User can login using Email id or Mobile number,Bruger kan logge ind med e-mail-id eller mobilnummer DocType: Bulk Update,Update Value,Opdatering Value apps/frappe/frappe/core/doctype/communication/communication.js +73,Mark as {0},Mark som {0} apps/frappe/frappe/model/rename_doc.py +25,Please select a new name to rename,Vælg et nyt navn for at omdøbe apps/frappe/frappe/public/js/frappe/request.js +136,Something went wrong,Noget gik galt +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +186,Only {0} entries shown. Please filter for more specific results.,Kun {0} indtastninger vist. Venligst filtrer for mere specifikke resultater. DocType: System Settings,Number Format,Nummer Format DocType: Auto Email Report,Frequency,Frekvens DocType: Custom Field,Insert After,Indsæt Efter @@ -2730,8 +2741,9 @@ DocType: Workflow State,cog,tandhjul apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +89,Sync on Migrate,Sync på Overfør apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +64,Currently Viewing,Læser DocType: DocField,Default,Standard -apps/frappe/frappe/public/js/frappe/form/link_selector.js +140,{0} added,{0} tilføjet -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +133,Please save the report first,Venligst gemme rapporten først +apps/frappe/frappe/public/js/frappe/form/link_selector.js +143,{0} added,{0} tilføjet +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +209,Search for '{0}',Søg efter '{0}' +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +134,Please save the report first,Venligst gemme rapporten først apps/frappe/frappe/email/doctype/email_group/email_group.py +42,{0} subscribers added,{0} abonnenter tilføjet apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +9,Not In,Ikke I DocType: Workflow State,star,stjerne @@ -2747,10 +2759,10 @@ apps/frappe/frappe/config/core.py +37,Client side script extensions in Javascrip apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +72,Guidelines to install ldap dependancies and python,Retningslinjer for at installere LDAP afhængigheder og python DocType: Blog Settings,Blog Introduction,Blog Introduktion DocType: Address,Office,Kontor -apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,Dette Kanban Bestyrelsen vil være privat +apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,Denne kanbantavle vil være privat apps/frappe/frappe/desk/moduleview.py +73,Standard Reports,Standard rapporter DocType: User,Email Settings,E-mail-indstillinger -apps/frappe/frappe/public/js/frappe/desk.js +345,Please Enter Your Password to Continue,Indtast venligst dit kodeord for at fortsætte +apps/frappe/frappe/public/js/frappe/desk.js +347,Please Enter Your Password to Continue,Indtast venligst din adgangskode for at fortsætte apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +99,Not a valid LDAP user,Ikke et gyldigt LDAP bruger apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} ikke en gyldig stat apps/frappe/frappe/integrations/doctype/paypal_settings/paypal_settings.py +90,Please select another payment method. PayPal does not support transactions in currency '{0}',Vælg en anden betalingsmetode. PayPal understøtter ikke transaktioner i sedler '{0}' @@ -2758,7 +2770,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +499,Search field {0} is not DocType: Workflow State,ok-circle,ok-cirkel apps/frappe/frappe/utils/bot.py +150,You can find things by asking 'find orange in customers',Du kan finde ting ved at spørge "finde orange i kundernes apps/frappe/frappe/core/doctype/user/user.py +169,Sorry! User should have complete access to their own record.,Undskyld! Bruger skal have fuld adgang til deres egen rekord. -,Usage Info,Anvendelse Info +,Usage Info,Brugerstatistik apps/frappe/frappe/utils/oauth.py +226,Invalid Token,Ugyldig Token DocType: Email Account,Email Server,E-mail-server DocType: DocShare,Document Type,Dokumenttype @@ -2771,7 +2783,7 @@ DocType: DocField,Unique,Unik apps/frappe/frappe/public/js/frappe/form/quick_entry.js +97,Ctrl+enter to save,Ctrl + Enter for at gemme DocType: Email Account,Service,Service DocType: File,File Name,File Name -apps/frappe/frappe/core/page/data_import_tool/importer.py +349,Did not find {0} for {0} ({1}),Fandt du ikke {0} for {0} ({1}) +apps/frappe/frappe/core/page/data_import_tool/importer.py +365,Did not find {0} for {0} ({1}),Fandt du ikke {0} for {0} ({1}) apps/frappe/frappe/utils/bot.py +176,"Oops, you are not allowed to know that","Ups, er det ikke tilladt at vide, at" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +17,Next,Næste apps/frappe/frappe/config/setup.py +39,Set Permissions per User,Set Tilladelser pr Bruger @@ -2780,39 +2792,40 @@ apps/frappe/frappe/printing/doctype/print_format/print_format.js +26,Edit Format apps/frappe/frappe/core/doctype/user/user.py +245,Complete Registration,Komplet Registrering apps/frappe/frappe/public/js/frappe/form/toolbar.js +189,New {0} (Ctrl+B),Ny {0} (Ctrl + B) apps/frappe/frappe/website/doctype/website_theme/website_theme.py +40,Top Bar Color and Text Color are the same. They should be have good contrast to be readable.,"Top Bar Farve og tekstfarve er de samme. De bør have god kontrast, der skal læses." -apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,You can only upload upto 5000 records in one go. (may be less in some cases),Du kan kun uploade op til 5000 poster på én gang. (Kan være mindre i nogle tilfælde) +apps/frappe/frappe/core/page/data_import_tool/exporter.py +68,You can only upload upto 5000 records in one go. (may be less in some cases),Du kan kun uploade op til 5000 poster på én gang. (Kan være mindre i nogle tilfælde) apps/frappe/frappe/model/document.py +159,Insufficient Permission for {0},Utilstrækkelig tilladelse til {0} -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +763,Report was not saved (there were errors),Rapporten blev ikke gemt (der var fejl) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +764,Report was not saved (there were errors),Rapporten blev ikke gemt (der var fejl) apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +25,Numerically Ascending,Numerisk stigende DocType: Print Settings,Print Style,Print Style apps/frappe/frappe/public/js/frappe/form/linked_with.js +51,Not Linked to any record,Ikke knyttet til nogen post DocType: Custom DocPerm,Import,Import apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +178,Row {0}: Not allowed to enable Allow on Submit for standard fields,Række {0}: Ikke tilladt at aktivere Tillad på Send til standard felter -apps/frappe/frappe/config/setup.py +100,Import / Export Data,Import / Export data +apps/frappe/frappe/config/setup.py +100,Import / Export Data,Indlæs / udlæs data apps/frappe/frappe/core/doctype/role/role.py +12,Standard roles cannot be renamed,Standard roller kan ikke omdøbes DocType: Communication,To and CC,Til og CC apps/frappe/frappe/public/js/frappe/change_log.html +7,updated to {0},opdateret til {0} DocType: User,Desktop Background,Skrivebordsbaggrund DocType: Portal Settings,Custom Menu Items,Tilpassede menupunkter DocType: Workflow State,chevron-right,chevron-ret -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +214,"Change type of field. (Currently, Type change is \ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +215,"Change type of field. (Currently, Type change is \ allowed among 'Currency and Float')",Skift type felt. (I øjeblikket er Type ændring \ tilladt blandt "Valuta og Float") apps/frappe/frappe/website/doctype/web_form/web_form.py +35,You need to be in developer mode to edit a Standard Web Form,Du er nødt til at være i udviklertilstand at redigere en standard web formular apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +53,"For comparative filters, start with","Ved sammenlignende filtre, start med" DocType: Website Theme,Link to Bootstrap CSS,Link til Bootstrap CSS DocType: Workflow State,camera,kamera -DocType: Website Settings,Brand HTML,Brand HTML +DocType: Website Settings,Brand HTML,Varemærke HTML DocType: Desktop Icon,_doctype,_doctype DocType: Web Page,Header and Description,Overskrift og beskrivelse -apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,Både login og password kræves +apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,Både brugernavn og adgangskode kræves apps/frappe/frappe/model/document.py +540,Please refresh to get the latest document.,Venligst Opdater for at få den nyeste dokument. DocType: User,Security Settings,Sikkerhedsindstillinger -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +855,Add Column,Tilføj kolonne +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +856,Add Column,Tilføj kolonne ,Desktop,Skrivebord +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +727,Export Report: {0},Eksportrapport: {0} DocType: Auto Email Report,Filter Meta,Filter Meta DocType: Web Form,Text to be displayed for Link to Web Page if this form has a web page. Link route will be automatically generated based on `page_name` and `parent_website_route`,"Tekst, der skal vises for Link til webside, hvis denne form har en webside. Link rute automatisk genereret baseret på `page_name` og` parent_website_route`" DocType: Feedback Request,Feedback Trigger,Feedback Trigger -apps/frappe/frappe/public/js/frappe/form/control.js +1594,Please set {0} first,Indstil {0} først +apps/frappe/frappe/public/js/frappe/form/control.js +1595,Please set {0} first,Indstil {0} først DocType: Unhandled Email,Message-id,Message-id DocType: Patch Log,Patch,Patch DocType: Async Task,Failed,Mislykkedes @@ -2828,7 +2841,7 @@ DocType: Web Form,Amount Field,beløb Field DocType: Dropbox Settings,Send Notifications To,Send meddelelser til DocType: Bulk Update,Max 500 records at a time,Max 500 poster ad gangen DocType: Translation,"If your data is in HTML, please copy paste the exact HTML code with the tags.","Hvis dine data er i HTML, skal du kopiere og indsætte den nøjagtige HTML-kode med tags." -apps/frappe/frappe/utils/csvutils.py +35,Unable to open attached file. Did you export it as CSV?,Kan ikke åbne vedhæftede fil. Vidste du eksportere det som CSV? +apps/frappe/frappe/utils/csvutils.py +35,Unable to open attached file. Did you export it as CSV?,Kan ikke åbne den vedhæftede fil. Udlæste du den som en CSV-fil? DocType: DocField,Ignore User Permissions,Ignorér brugertilladelser apps/frappe/frappe/core/doctype/user/user.py +736,Please ask your administrator to verify your sign-up,Spørg din administrator for at bekræfte din tilmelding apps/frappe/frappe/public/js/integrations/razorpay.js +21,Show Log,Vis Log diff --git a/frappe/translations/de.csv b/frappe/translations/de.csv index 9bb44ab01e..f785ca82fa 100644 --- a/frappe/translations/de.csv +++ b/frappe/translations/de.csv @@ -1,5 +1,5 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,Bitte wählen Sie ein Feld Betrag. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,Zum Schließen Esc drücken +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,Zum Schließen Esc drücken apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}",Eine neue Aufgabe {0} wurde Ihnen von {1} zugewiesen. {2} DocType: Email Queue,Email Queue records.,E-Mail-Queue Aufzeichnungen. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,Absenden @@ -48,7 +48,7 @@ apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}","{0}, Zeile {1}" apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,Bitte geben Sie eine Fullname. apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,Fehler Dateien in das Hochladen. apps/frappe/frappe/model/document.py +908,Beginning with,Beginnend mit -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,Vorlage für Datenimport +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,Vorlage für Datenimport apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,Übergeordnetes Element DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.","Wenn aktiviert, wird die Passwortstärke auf der Grundlage des Minimum Password Score Wertes erzwungen. Ein Wert von 2 ist mittelstark und 4 sehr stark." DocType: About Us Settings,"""Team Members"" or ""Management""",„Teammitglieder“ oder „Management“ @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,Tester DocType: Auto Email Report,Monthly,Monatlich DocType: Email Account,Enable Incoming,Eingehend aktivieren apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,Gefahr -apps/frappe/frappe/www/login.html +19,Email Address,E-Mail-Addresse +apps/frappe/frappe/www/login.html +22,Email Address,E-Mail-Addresse DocType: Workflow State,th-large,th-large DocType: Communication,Unread Notification Sent,Ungelesene Benachrichtigung gesendet apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,Export nicht erlaubt. Rolle {0} wird gebraucht zum exportieren. DocType: DocType,Is Published Field,Ist Veröffentlicht Feld DocType: Email Group,Email Group,E-Mail-Gruppe DocType: Note,Seen By,gesehen durch -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,Nicht wie -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,Angezeigten Karteikartenreiter für ein Feld einstellen +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,Nicht wie +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,Angezeigten Karteikartenreiter für ein Feld einstellen apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},Falscher Wert: {0} muss {1} {2} sein apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)","Feldeigenschaften ändern (verstecken, nur-lesen, Berechtigung etc.)" apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,Frappe Server-URL in Social-Login-Keys angeben @@ -76,8 +76,8 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,Einstellu apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,Administrator hat sich angemeldet DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.","Kontaktalternativen wie „Vertriebsanfrage"", ""Support-Anfrage“ usw., jede in einer neuen Zeile oder durch Kommas getrennt." apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. Herunterladen -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,Einfügen -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},{0} auswählen +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,Einfügen +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},{0} auswählen DocType: Print Settings,Classic,Klassisch DocType: Desktop Icon,Color,Farbe apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,Für Bereiche @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,LDAP-Suche String DocType: Translation,Translation,Übersetzung apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,Installieren DocType: Custom Script,Client,Client -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,"Dieses Formular wurde geändert, nachdem Sie es geladen haben" +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,"Dieses Formular wurde geändert, nachdem Sie es geladen haben" DocType: User Permission for Page and Report,User Permission for Page and Report,Benutzerberechtigung für Seite und Bericht DocType: System Settings,"If not set, the currency precision will depend on number format","Wenn nicht gesetzt, hängt die Währungspräzision vom Zahlenformat ab" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',Suchen nach ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,Diashows in Webseiten einbetten -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,Absenden +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,Absenden DocType: Workflow Action,Workflow Action Name,Workflow-Aktionsname apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,DocType kann nicht zusammengeführt werden DocType: Web Form Field,Fieldtype,Feldtyp apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,Nicht eine Zip-Datei +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} Jahr(e) her apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}","Pflichtfelder in der Tabelle erforderlich {0}, Reihe {1}" -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,Großschreibung hilft nicht besonders viel. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,Großschreibung hilft nicht besonders viel. DocType: Error Snapshot,Friendly Title,Freundliche Anrede DocType: Newsletter,Email Sent?,Wurde die E-Mail abgesendet? DocType: Authentication Log,Authentication Log,Authentifizierungsprotokoll @@ -138,7 +138,7 @@ DocType: OAuth Bearer Token,Refresh Token,Aktualisieren Token apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,Benutzer DocType: Website Theme,lowercase,Kleinbuchstaben DocType: Print Format,Helvetica,Helvetica -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,Newsletter wurde bereits gesendet +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,Newsletter wurde bereits gesendet DocType: Unhandled Email,Reason,Grund apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,Bitte Benutzer angeben DocType: Email Unsubscribe,Email Unsubscribe,E-Mail abbestellen @@ -147,30 +147,30 @@ apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multip apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,Der erste Benutzer wird zum System-Manager (kann später noch geändert werden). ,App Installer,App-Installer DocType: Workflow State,circle-arrow-up,Kreis-Pfeil-nach-oben -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,Lade hoch... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,Lade hoch... DocType: Email Domain,Email Domain,E-Mail-Domain DocType: Workflow State,italic,kursiv apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,Für jeden apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,"{0}: Kann nicht auf ""Import"" eingestellt werden ohne ""Erstellen""" apps/frappe/frappe/config/desk.py +26,Event and other calendars.,Veranstaltungs- und andere Kalender -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,Spalten durch Ziehen sortieren +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,Spalten durch Ziehen sortieren apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,Breite kann in Pixel oder % eingestellt werden. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,Start +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,Start DocType: User,First Name,Vorname DocType: LDAP Settings,LDAP Username Field,LDAP-Feld für Benutzername DocType: Portal Settings,Standard Sidebar Menu,Standard-Sidebar-Menü apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,"Die Ordner ""Startseite"" und ""Anlagen"" können nicht gelöscht werden" apps/frappe/frappe/config/desk.py +19,Files,Dateien apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,"Berechtigungen werden so auf Benutzer angewandt, wie sie den Rollen zugeordnet sind." -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,"Sie sind nicht berechtigt E-Mails, die sich auf dieses Dokument beziehen, zu versenden" +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,"Sie sind nicht berechtigt E-Mails, die sich auf dieses Dokument beziehen, zu versenden" apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,Bitte wählen Sie atleast 1 Spalte von {0} sortieren / Gruppe DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,"Aktivieren Sie diese Option, wenn Sie testen Ihre Zahlung der Sandbox-API" apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,"Sie sind nicht berechtigt, eine Standard-Webseiten-Vorlage zu löschen" DocType: Feedback Trigger,Example,Beispiel DocType: Workflow State,gift,Geschenk -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Benötigt +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Benötigt apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},Anhang {0} kann nicht gefunden werden -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,Vergeben Sie eine Berechtigungsstufe für das Feld. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,Vergeben Sie eine Berechtigungsstufe für das Feld. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,Kann nicht entfernen apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,Die Ressource von Ihnen gesuchte ist nicht verfügbar apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,Module anzeigen / ausblenden @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,anzeigen DocType: Email Group,Total Subscribers,Gesamtanzahl der Abonnenten apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.","Wenn eine Rolle keinen Zugriff auf Ebene 0 hat, dann sind höhere Ebenen bedeutungslos ." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,Speichern als +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,Speichern als DocType: Communication,Seen,Gesehen -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,Weiteres +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,Weiteres DocType: System Settings,Run scheduled jobs only if checked,"Geplante Aufträge nur ausführen, wenn aktiviert" apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,Wird nur dann angezeigt wenn Überschriften aktiviert sind apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,archivieren @@ -240,7 +240,7 @@ apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,"Kann DocType: Web Form,Button Help,Button-Hilfe DocType: Kanban Board Column,purple,lila DocType: About Us Settings,Team Members,Teammitglieder -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,Bitte eine Datei anhängen oder eine URL festlegen +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,Bitte eine Datei anhängen oder eine URL festlegen DocType: Async Task,System Manager,System-Manager DocType: Custom DocPerm,Permissions,Berechtigungen DocType: Dropbox Settings,Allow Dropbox Access,Dropbox-Zugang zulassen @@ -263,7 +263,7 @@ apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,Anhang hochl DocType: Block Module,Block Module,Block-Modul apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,Vorlage exportieren apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,Neuer Wert -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,Keine Berechtigung zum Bearbeiten +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,Keine Berechtigung zum Bearbeiten apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,Spalte einfügen apps/frappe/frappe/www/contact.html +30,Your email address,Ihre E-Mail-Adresse DocType: Desktop Icon,Module,Modul @@ -273,11 +273,11 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,ist eine Tabelle DocType: Email Account,Total number of emails to sync in initial sync process ,Gesamtzahl der E-Mails im ersten Synchronisierung Prozess zu synchronisieren DocType: Website Settings,Set Banner from Image,Banner aus Bild einrichten -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,Globale Suche +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,Globale Suche DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},Ein neues Konto wurde für Sie erstellt auf {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,Anleitung Emailed -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),Geben Sie den/die E-Mail-Empfänger an +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),Geben Sie den/die E-Mail-Empfänger an DocType: Print Format,Verdana,Verdana DocType: Email Flag Queue,Email Flag Queue,E-Mail-Flag-Warteschlange apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,Kann öffne {0} nicht identifizieren. Versuchen Sie etwas anderes. @@ -291,13 +291,13 @@ DocType: Communication,Message ID,Message-ID DocType: Property Setter,Field Name,Feldname apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,Kein Ergebnis apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,oder -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,Modulname ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,Modulname ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,Fortsetzen DocType: Custom Field,Fieldname,Feldname DocType: Workflow State,certificate,Zertifikat DocType: User,Tile,Kachel apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,Überprüfen ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,Erste Datenspalte muss leer sein. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,Erste Datenspalte muss leer sein. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,Alle Versionen DocType: Workflow State,Print,Drucken DocType: User,Restrict IP,IP beschränken @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,Hauptvertriebsleiter apps/frappe/frappe/www/complete_signup.html +13,One Last Step,Ein letzter Schritt apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,"Name des Dokumenttyps (DocType) mit dem dieses Feld verknüpft sein soll, z. B. Kunde" DocType: User,Roles Assigned,Zugewiesene Rollen -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,Hilfe suchen +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,Hilfe suchen DocType: Top Bar Item,Parent Label,Übergeordnete Bezeichnung apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.","Ihre Anfrage ist eingegangen. Wir werden in Kürze antworten. Wenn Sie zusätzliche Informationen haben, antworten Sie bitte auf diese E-Mail." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,Berechtigungen werden automatisch auf Standardberichte und -suchen übertragen. @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,Kopf bearbeiten DocType: File,File URL,Datei-URL DocType: Version,Table HTML,Tabelle HTML -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,Abonnenten hinzufügen +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,Abonnenten hinzufügen apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,Bevorstehenden Veranstaltungen für heute DocType: Email Alert Recipient,Email By Document Field,E-Mail von Dokumentenfeld apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,Aktualisierung apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},Verbindung kann nicht hergestellt werden: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,Ein Wort allein ist leicht zu erraten. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,Ein Wort allein ist leicht zu erraten. apps/frappe/frappe/www/search.html +11,Search...,Suche... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,Zusammenführung ist nur möglich zwischen Gruppen oder Knoten apps/frappe/frappe/utils/file_manager.py +43,Added {0},{0} hinzugefügt apps/frappe/frappe/www/search.html +28,No matching records. Search something new,Keine Bilder gefunden. Suchen Sie etwas Neues DocType: Currency,Fraction Units,Teileinheiten -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} von {1} bis {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} von {1} bis {2} DocType: Communication,Type,Typ +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Bitte legen Sie das Standard-E-Mail-Konto von Setup> Email> E-Mail-Konto ein DocType: Authentication Log,Subject,Betreff DocType: Web Form,Amount Based On Field,"Menge, bezogen auf Feld" apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,Benutzer für Freigabe zwingend erforderlich @@ -349,10 +350,10 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0} muss al apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.","Verwenden Sie ein paar Worte, vermeiden gemeinsame Phrasen." DocType: Workflow State,plane,eben apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,Hoppla. Ihre Zahlung ist fehlgeschlagen. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Wenn neue Datensätze hochgeladen werden, ist - falls vorhanden - ""Bezeichnung von Serien"" Pflicht." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Wenn neue Datensätze hochgeladen werden, ist - falls vorhanden - ""Bezeichnung von Serien"" Pflicht." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,Alarme für heute apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,DocType darf nur vom Administrator umbenannt werden -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},geänderte Wert {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},geänderte Wert {0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,Bitte überprüfen Sie Ihre E-Mail für die Überprüfung apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,Falz kann nicht am Ende eines Formulars sein @@ -364,8 +365,9 @@ DocType: Auto Email Report,No of Rows (Max 500),Keine der Zeilen (Max 500) DocType: Language,Language Code,Sprachcode apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...","Ihr Download wird erstellt, dies kann einige Sekunden dauern ..." apps/frappe/frappe/www/feedback.html +23,Your rating: ,Ihre Bewertung: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} und {1} +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} und {1} DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents",Entwürfe beim Drucken in der Kopfzeile kennzeichnen +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,Email wurde als Spam markiert DocType: About Us Settings,Website Manager,Webseiten-Administrator apps/frappe/frappe/model/document.py +1048,Document Queued,anstehendes Dokument DocType: Desktop Icon,List,Listenansicht @@ -377,7 +379,7 @@ DocType: Print Settings,Send document web view link in email,Senden Dokument Web apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,Ihr Feedback für Dokument {0} erfolgreich gespeichert apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,Vorhergehende apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,Zurück: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} Zeilen für {1} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} Zeilen für {1} DocType: Currency,"Sub-currency. For e.g. ""Cent""","Unterwährung, z. B. ""Cent""" apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,Wählen Sie Datei uploaded DocType: Letter Head,Check this to make this the default letter head in all prints,"Hier aktivieren, damit dieser Briefkopf der Standardbriefkopf aller Ausdrucke wird" @@ -387,12 +389,11 @@ DocType: Desktop Icon,Link,Verknüpfung apps/frappe/frappe/utils/file_manager.py +96,No file attached,Keine Datei angehängt DocType: Version,Version,Version DocType: User,Fill Screen,Bildschirm ausfüllen -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Der Bericht zu dieser Struktur kann aufgrund fehlender Daten nicht angezeigt werden. Am häufigsten passiert dieser Fehler, weil die Daten aufgrund fehlender Benutzerrechte ausgefiltert werden." -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. Wählen Sie Datei -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,Über einen Hochladevorgang bearbeiten -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer","Dokumententyp ..., z. B. Kunde" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Der Bericht zu dieser Struktur kann aufgrund fehlender Daten nicht angezeigt werden. Am häufigsten passiert dieser Fehler, weil die Daten aufgrund fehlender Benutzerrechte ausgefiltert werden." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. Wählen Sie Datei +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,Über einen Hochladevorgang bearbeiten +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer","Dokumententyp ..., z. B. Kunde" apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,Der Zustand '{0}' ist ungültig -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Setup> User Permissions Manager DocType: Workflow State,barcode,Barcode apps/frappe/frappe/config/setup.py +226,Add your own translations,Eigene Übersetzungen hinzufügen DocType: Country,Country Name,Ländername @@ -411,9 +412,11 @@ DocType: Workflow State,exclamation-sign,Ausrufezeichen apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,Berechtigungen anzeigen apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,Timeline-Bereich muss einen Link oder Dynamic Link sein apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,Bitte das Dropbox-Python-Modul installieren +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,Datumsbereich apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,Gantt-Diagramm apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},Seite {0} von {1} DocType: About Us Settings,Introduce your company to the website visitor.,Vorstellung des Unternehmens für Besucher der Webseite. +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json","Verschlüsselungsschlüssel ist ungültig, bitte check site_config.json" apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,An DocType: Kanban Board Column,darkgrey,dunkelgrau apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},Erfolgreich: {0} um {1} @@ -442,13 +445,13 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,Weiter DocType: Contact,Sales Manager,Vertriebsleiter apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,Umbenennen DocType: Print Format,Format Data,Daten formatieren -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,Wie +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,Wie DocType: Customize Form Field,Customize Form Field,Formularfeld anpassen apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,Benutzer zulassen DocType: OAuth Client,Grant Type,Grant Typ apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,"Prüfen, welche Dokumente von einem Nutzer lesbar sind" apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,% als Platzhalter benutzen -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?","E-Mail-Domain nicht für dieses Konto konfiguriert, erstellen?" +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?","E-Mail-Domain nicht für dieses Konto konfiguriert, erstellen?" DocType: User,Reset Password Key,Passwortschlüssel zurücksetzen DocType: Email Account,Enable Auto Reply,Automatische Rückantwort aktivieren apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,Nicht Gesehen @@ -463,13 +466,13 @@ DocType: DocType,Fields,Felder DocType: System Settings,Your organization name and address for the email footer.,Name und Anschrift Ihrer Firma für die Fußzeile der E-Mail. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,Übergeordnete Tabelle apps/frappe/frappe/config/desktop.py +60,Developer,Entwickler -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,Erstellt +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,Erstellt apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} in Zeile {1} kann nicht sowohl die URL als auch Unterpunkte haben apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,Root {0} kann nicht gelöscht werden apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,Noch keine Kommentare apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,DocType und Name sind beide erforderlich apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,DocStatus kann nicht von 1 auf 0 geändert werden -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,Nehmen Backup Now +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,Nehmen Backup Now apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,Willkommen apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,Installierte Apps DocType: Communication,Open,Offen @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,Von Vor- und Nachname apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},Sie haben keine Zugriffsrechte für den Bericht: {0} DocType: User,Send Welcome Email,Willkommens-E-Mail senden apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,"Laden Sie eine CSV-Datei, die alle Benutzerberechtigungen im gleichen Format wie der Download hat, hoch." -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,Filter entfernen +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,Filter entfernen DocType: Address,Personal,Persönlich apps/frappe/frappe/config/setup.py +113,Bulk Rename,Werkzeug zum Massen-Umbenennen DocType: Email Queue,Show as cc,Stellen Sie als cc DocType: DocField,Heading,Überschrift DocType: Workflow State,resize-vertical,anpassen-vertikal -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. Hochladen +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. Hochladen DocType: Contact Us Settings,Introductory information for the Contact Us Page,Einleitende Informationen für die Kontaktseite DocType: Web Page,CSS,CSS DocType: Workflow State,thumbs-down,Bild-nach-unten @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,In Global Search DocType: Workflow State,indent-left,Einzug links apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,"Es ist riskant, diese Datei zu löschen: {0}. Bitte kontaktieren Sie Ihren System-Manager." DocType: Currency,Currency Name,Währungsbezeichnung -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,keine E-Mails +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,keine E-Mails DocType: Report,Javascript,JavaScript DocType: File,Content Hash,Inhalts-Hash DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,"Speichert die JSON (JavaScript Object Notation) der letzten bekannten Versionen von verschiedenen installierten Apps. Wird verwendet, um Veröffentlichungs-Informationen zu zeigen." @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',Benutzer '{0}' hat bereits die Rolle '{1}' apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,Hochladen und synchronisieren apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},Freigegeben für {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,Abmelden +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,Abmelden DocType: Communication,Reference Name,Referenzname apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,Support per Chat DocType: Error Snapshot,Exception,Ausnahme @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,Newsletter-Manager apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,Option 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,Alle Beiträge apps/frappe/frappe/config/setup.py +89,Log of error during requests.,Melden von Fehlern während Anfragen. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} wurde zur E-Mail-Gruppe hinzugefügt. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,Make-Datei (en) privat oder öffentlich? -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},Geplant zum Versand an {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} wurde zur E-Mail-Gruppe hinzugefügt. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,Make-Datei (en) privat oder öffentlich? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},Geplant zum Versand an {0} DocType: Kanban Board Column,Indicator,Indikator DocType: DocShare,Everyone,Jeder DocType: Workflow State,backward,Zurück @@ -583,11 +586,11 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,Zuletzt a apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,Ist nicht zulässig. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,Abonnenten anzeigen DocType: Website Theme,Background Color,Hintergrundfarbe -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,Es gab Fehler beim Versand der E-Mail. Bitte versuchen Sie es erneut. +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,Es gab Fehler beim Versand der E-Mail. Bitte versuchen Sie es erneut. DocType: Portal Settings,Portal Settings,Portaleinstellungen DocType: Web Page,0 is highest,Höchstwert ist 0 apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,"Sind Sie sicher, dass Sie diese Mitteilung an {0} neu verknüpfen wollen?" -apps/frappe/frappe/www/login.html +99,Send Password,Passwort senden +apps/frappe/frappe/www/login.html +104,Send Password,Passwort senden apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,Anhänge apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,"Sie verfügen nicht über die Berechtigungen, um auf dieses Dokument zuzugreifen" DocType: Language,Language Name,Sprache Name @@ -595,28 +598,29 @@ DocType: Email Group Member,Email Group Member,Eine E-Mail-Gruppe Mitglied DocType: Email Alert,Value Changed,Wert geändert apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},Doppelter Namen {0} {1} DocType: Web Form Field,Web Form Field,Web-Formularfeld -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,Feld im Berichtserstellungswerkzeug ausblenden +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,Feld im Berichtserstellungswerkzeug ausblenden apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,HTML bearbeiten -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,Urspüngliche Benutzerrechte wiederherstellen +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,Urspüngliche Benutzerrechte wiederherstellen DocType: Address,Shop,Laden DocType: DocField,Button,Schaltfläche +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,{0} ist jetzt Standard-Druckformat für {1} doctype apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,Archivierte Spalten DocType: Email Account,Default Outgoing,Standard-Ausgang DocType: Workflow State,play,spielen apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,"Auf den Link unten klicken, um die Registrierung abzuschließen und ein neues Passwort zu setzen" -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,Wurde nicht hinzugefügt +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,Wurde nicht hinzugefügt apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,Keine E-Mail-Konten zugewiesen DocType: Contact Us Settings,Contact Us Settings,Einstellungen zu „Kontaktieren Sie uns“ -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,Suchen ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,Suchen ... DocType: Workflow State,text-width,Textbreite apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,Die maximal zulässige Anzahl von Anhängen für den Datensatz wurde erreicht. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,Die folgenden obligatorischen Felder müssen ausgefüllt werden:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,Die folgenden obligatorischen Felder müssen ausgefüllt werden:
    DocType: Email Alert,View Properties (via Customize Form),Eigenschaften anzeigen (über benutzerdefiniertes Formular) DocType: Note Seen By,Note Seen By,Hinweis gesehen durch apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,"Versuchen Sie, eine längere Tastaturmuster mit mehr Windungen zu verwenden" DocType: Feedback Trigger,Check Communication,Überprüfen Kommunikation apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,Berichte des Berichts-Generators werden direkt von diesem verwaltet. Nichts zu tun. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,Bitte bestätige deine Email Adresse +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,Bitte bestätige deine Email Adresse apps/frappe/frappe/model/document.py +907,none of,keiner von apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,Kopie an mich senden apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,Benutzerberechtigungen hochladen @@ -624,7 +628,7 @@ DocType: Dropbox Settings,App Secret Key,App geheimer Schlüssel apps/frappe/frappe/config/website.py +7,Web Site,Web-Site apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,Die markierten Elemente werden auf dem Desktop angezeigt apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} kann nicht für Einzel-Typen festgelegt werden -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,Kanbantafel {0} ist nicht vorhanden. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,Kanbantafel {0} ist nicht vorhanden. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} betrachten derzeit dieses Dokument DocType: ToDo,Assigned By Full Name,Zugewiesen von Vollständiger Name apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0} aktualisiert @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,vor {0} DocType: Email Account,Awaiting Password,In Erwartung Passwort DocType: Address,Address Line 1,Adresse Zeile 1 DocType: Custom DocPerm,Role,Rolle -apps/frappe/frappe/utils/data.py +429,Cent,Cent -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,E-Mail verfassen +apps/frappe/frappe/utils/data.py +430,Cent,Cent +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,E-Mail verfassen apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).","Zustände für Workflows (z. B. Entwurf, Genehmigt, Gelöscht)" DocType: Print Settings,Allow Print for Draft,Drucken von Entwürfen erlauben -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,Anzahl festlegen +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,Anzahl festlegen apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,"Buchen Sie dieses Dokument, um zu bestätigen" DocType: User,Unsubscribed,Abgemeldet apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,Legen Sie benutzerdefinierte Rollen für Seite und Bericht apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,Bewertung: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,Kann nicht UIDVALIDITY in imap Status Antwort finden +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,Kann nicht UIDVALIDITY in imap Status Antwort finden ,Data Import Tool,Daten-Import-Werkzeug -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,Hochladen von Dateien bitte für ein paar Sekunden warten. +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,Hochladen von Dateien bitte für ein paar Sekunden warten. apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,Eigenes Bild anhängen apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,Zeilenwerte geändert DocType: Workflow State,Stop,Anhalten @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,Suchfelder DocType: OAuth Bearer Token,OAuth Bearer Token,OAuth Bearer Token apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,Kein Dokument ausgewählt DocType: Event,Event,Ereignis -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:","Am {0}, schrieb {1}:" +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:","Am {0}, schrieb {1}:" apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,"Standardfeld kann nicht gelöscht werden. Sie können es aber verbergen, wenn Sie wollen." DocType: Top Bar Item,For top bar,Für die Kopfleiste apps/frappe/frappe/utils/bot.py +148,Could not identify {0},Konnte {0} nicht identifizieren @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,Einstellprogramm für Eigenschaften apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,"Bitte Benutzer oder DocType auswählen, um zu beginnen" DocType: Web Form,Allow Print,Drucken erlauben apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,Keine Apps installiert -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,Feld als Pflichtfeld markieren +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,Feld als Pflichtfeld markieren DocType: Communication,Clicked,Angeklickt apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},Keine Berechtigung um '{0}' {1} DocType: User,Google User ID,Google-Nutzer-ID @@ -727,7 +731,7 @@ DocType: Event,orange,Orange apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,Kein(e) {0} gefunden apps/frappe/frappe/config/setup.py +236,Add custom forms.,Benutzerdefinierte Formulare hinzufügen apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} in {2} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,Dieses Dokument eingereicht +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,Dieses Dokument eingereicht apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,"Das System bietet viele vordefinierte Rollen. Es können neue Rollen hinzugefügt werden, um feinere Berechtigungen festzulegen." DocType: Communication,CC,CC DocType: Address,Geo,Geo @@ -739,7 +743,8 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Sele apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,Aktiv apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,Einfügen unter DocType: Event,Blue,Blau -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,Alle Anpassungen werden entfernt. Bitte bestätigen. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,Alle Anpassungen werden entfernt. Bitte bestätigen. +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,Email Adresse oder Handynummer DocType: Page,Page HTML,HTML-Seite apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,alphabetisch aufsteigend apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,"Weitere Knoten können nur unter Knoten vom Typ ""Gruppe"" erstellt werden" @@ -766,7 +771,7 @@ DocType: User,Represents a User in the system.,Repräsentiert einen Nutzer im Sy DocType: Communication,Label,Bezeichnung apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","Die Aufgabe {0}, die Sie {1} zugeordnet haben, wurde geschlossen." DocType: User,Modules Access,Modulzugriff -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,Bitte schließen Sie dieses Fenster +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,Bitte schließen Sie dieses Fenster DocType: Print Format,Print Format Type,Druckformattyp DocType: Newsletter,A Lead with this Email Address should exist,Ein Lead mit dieser E-Mail-Adresse sollte vorhanden sein apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,Quellanwendungen für das Internet öffnen @@ -776,18 +781,18 @@ DocType: Role Permission for Page and Report,Allow Roles,Rollen erlauben DocType: DocType,Hide Toolbar,Werkzeugleiste ausblenden DocType: User,Last Active,Zuletzt aktiv DocType: Email Account,SMTP Settings for outgoing emails,SMTP-Einstellungen für ausgehende E-Mails -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,Import fehlgeschlagen +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,Import fehlgeschlagen apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,Ihr Passwort wurde aktualisiert. Hier ist Ihr neues Passwort DocType: Email Account,Auto Reply Message,Automatische Rückantwort DocType: Feedback Trigger,Condition,Zustand -apps/frappe/frappe/utils/data.py +521,{0} hours ago,{0} Stunden -apps/frappe/frappe/utils/data.py +531,1 month ago,Vor 1 Monat +apps/frappe/frappe/utils/data.py +522,{0} hours ago,{0} Stunden +apps/frappe/frappe/utils/data.py +532,1 month ago,vor 1 Monat DocType: Contact,User ID,Benutzer-ID DocType: Communication,Sent,Gesendet DocType: File,Lft,lft DocType: User,Simultaneous Sessions,Gleichzeitige Sessions DocType: OAuth Client,Client Credentials,Client-Credentials -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,Modul oder Werkzeug öffnen +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,Modul oder Werkzeug öffnen DocType: Communication,Delivery Status,Lieferstatus DocType: Module Def,App Name,App-Name apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,Max Dateigröße erlaubt ist {0} MB @@ -808,11 +813,11 @@ DocType: Address,Address Type,Adresstyp apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,Ungültiger Benutzername oder fehlendes Passwort. Bitte Angaben korrigieren und erneut versuchen. DocType: Email Account,Yahoo Mail,Yahoo Mail apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,Ihr Abonnement wird morgen auslaufen. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,Gespeichert! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,Gespeichert! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},Aktualisiert {0}: {1} DocType: DocType,User Cannot Create,Kann nicht von einem Benutzer erstellt werden apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,Ordner {0} existiert nicht -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,Dropbox Zugriff genehmigt wird! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,Dropbox Zugriff genehmigt wird! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.","Zudem werden diese Berechtigungen auch als Standardwerte für diejenigen Verknüpfungen gesetzt, bei denen nur ein Berechtigungs-Datensatz definiert ist." DocType: Customize Form,Enter Form Type,Formulartyp eingeben apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,Keine Datensätze markiert. @@ -820,17 +825,16 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +4 DocType: User,Send Password Update Notification,Mitteilung über Passwort-Aktualisierung senden apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!","DocType, DocType zulassen. Achtung!" apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email","Benutzerdefinierte Formate für Druck, E-Mail" -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,Aktualisiert auf neue Version +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,Aktualisiert auf neue Version DocType: Custom Field,Depends On,Hängt ab von DocType: Event,Green,Grün DocType: Custom DocPerm,Additional Permissions,Zusätzliche Berechtigungen DocType: Email Account,Always use Account's Email Address as Sender,E-Mail-Adresse des Benutzers als Absender verwenden apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,Anmelden um Kommentieren zu können apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,Eingabe von Daten unterhalb dieser Linie beginnen -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},geänderten Werte für {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},geänderten Werte für {0} DocType: Workflow State,retweet,Erneut tweeten -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,Vor dem Anhängen bitte die Vorlage aktualisieren und im .csv-Format speichern. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,Wert des Feldes angeben +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,Wert des Feldes angeben DocType: Report,Disabled,Deaktiviert DocType: Workflow State,eye-close,geschlossenen Auges DocType: OAuth Provider Settings,OAuth Provider Settings,OAuth-Provider-Einstellungen @@ -844,9 +848,9 @@ DocType: Address,Is Your Company Address,Ist Ihre Unternehmensadresse apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,Zeile bearbeiten DocType: Workflow Action,Workflow Action Master,Stammdaten zu Workflow-Aktionen DocType: Custom Field,Field Type,Feldtyp -apps/frappe/frappe/utils/data.py +446,only.,nur. +apps/frappe/frappe/utils/data.py +447,only.,nur. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,"Vermeiden Jahren, die mit Ihnen verbunden sind." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,absteigend +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,absteigend apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,Ungültiger E-Mail-Server. Bitte Angaben korrigieren und erneut versuchen. DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.","Für Verknüpfungen den DocType als Bereich eingeben. Zum Auswählen Liste der Optionen eingeben, jede in einer neuen Zeile." @@ -855,15 +859,14 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},Keine Berech apps/frappe/frappe/config/desktop.py +8,Tools,Werkzeuge apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,Vermeiden Sie den letzten Jahren. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,Mehrere Rootknoten sind nicht zulässig. -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,E-Mail-Konto nicht eingerichtet. Bitte erstellen Sie ein neues E-Mail-Konto von Setup> Email> E-Mail-Konto DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.","Wenn aktiviert, werden die Benutzer jedes Mal benachrichtigt, wenn sie sich anmelden. Wenn nicht aktiviert, werden die Benutzer nur einmal benachrichtigt." DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.","Wenn diese Option aktiviert, werden die Nutzer nicht den Zugriff bestätigen Dialog zu sehen." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,ID-Feld muss zur Bearbeitung der Werte in Berichten angegeben werden. Bitte das ID-Feld aus der Spaltenauswahl auswählen. +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,ID-Feld muss zur Bearbeitung der Werte in Berichten angegeben werden. Bitte das ID-Feld aus der Spaltenauswahl auswählen. apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,Kommentare apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,Bestätigen apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,Alles schließen apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,{0} installieren? -apps/frappe/frappe/www/login.html +71,Forgot Password?,Passwort vergessen? +apps/frappe/frappe/www/login.html +76,Forgot Password?,Passwort vergessen? DocType: System Settings,yyyy-mm-dd,JJJJ-MM-TT apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,ID apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,Serverfehler @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,Facebook-Nutzer-ID DocType: Workflow State,fast-forward,Schnellvorlauf DocType: Communication,Communication,Kommunikation apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.",Zum Auswählen Spalten markieren. Ziehen um eine Bestellung zu platzieren. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,Dies ist eine permanente Einstellung und kann nicht rückgängig gemacht werden. Weiter? +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,Dies ist eine permanente Einstellung und kann nicht rückgängig gemacht werden. Weiter? DocType: Event,Every Day,Täglich DocType: LDAP Settings,Password for Base DN,Kennwort für Basis-DN apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,Tabellenfeld @@ -914,14 +917,14 @@ DocType: Workflow State,align-justify,Blocksatz DocType: User,Middle Name (Optional),Weiterer Vorname (optional) apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,Nicht zulässig apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,Folgende Felder haben fehlende Werte: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,"Sie verfügen nicht über genügend Berechtigungen, um die Aktion durchzuführen" -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,Keine Ergebnisse +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,"Sie verfügen nicht über genügend Berechtigungen, um die Aktion durchzuführen" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,Keine Ergebnisse DocType: System Settings,Security,Sicherheit -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,Geplant zum Versand an {0} Empfänger +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,Geplant zum Versand an {0} Empfänger apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},umbenannt von {0} {1} DocType: Currency,**Currency** Master,**Währungs**-Stammdaten DocType: Email Account,No of emails remaining to be synced,Keine E-Mails verbleibenden werden synchronisiert -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,Hochladen +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,Hochladen apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,Bitte das Dokument vor der Zuweisung abspeichern DocType: Website Settings,Address and other legal information you may want to put in the footer.,"Adresse und andere rechtliche Informationen, die Sie in die Fußzeile setzen können." DocType: Website Sidebar Item,Website Sidebar Item,Webseite Sidebar Artikel @@ -940,7 +943,7 @@ apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App { DocType: Communication,Feedback Request,Feedback-Anfrage apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,Folgende Felder fehlen: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,experimentelles Feature -apps/frappe/frappe/www/login.html +25,Sign in,Anmelden +apps/frappe/frappe/www/login.html +30,Sign in,Anmelden DocType: Web Page,Main Section,Hauptbereich DocType: Page,Icon,Symbol apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,Um Werte zwischen 5 und 10 zu filtern @@ -950,7 +953,7 @@ DocType: System Settings,dd/mm/yyyy,TT/MM/JJJJ DocType: System Settings,Backups,Backups apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,Kontakt hinzufügen DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,Optional: Immer diese IDs senden. Jede E-Mail-Adresse auf einer neuen Zeile -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,Details ausblenden +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,Details ausblenden DocType: Workflow State,Tasks,Aufgaben DocType: Event,Tuesday,Dienstag DocType: Blog Settings,Blog Settings,Blog-Einstellungen @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,Fälligkeitsdatum apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,Quartalstag DocType: Social Login Keys,Google Client Secret,Google-Passwort DocType: Website Settings,Hide Footer Signup,Fußzeilen-Anmeldung ausblenden -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,Dieses Dokument abgebrochen +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,Dieses Dokument abgebrochen apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,"Python-Datei in den selben Ordner schreiben, in dem dieser Inhalt gespeichert wird, und Spalte und Ergebnis zurückgeben." DocType: DocType,Sort Field,Sortierfeld DocType: Razorpay Settings,Razorpay Settings,Razorpay Einstellungen -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,Filter bearbeiten +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,Filter bearbeiten apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,Feld {0} des Typs {1} kann nicht zwingend erforderlich sein DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User","Z. B. Wenn ""Benutzerberechtigung anwenden"" für einen Berichts-DocType aktiviert ist, aber keine Benutzerberechtigungen für einen Bericht definiert wurden, werden dem Benutzer alle Berichte angezeigt." apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,ausblenden Übersicht DocType: System Settings,Session Expiry Mobile,Sitzung verfällt für mobil apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,Suchergebnisse für apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,Bitte zum Herunterladen wählen: -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,Wenn {0} erlaubt ist +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,Wenn {0} erlaubt ist DocType: Custom DocPerm,If user is the owner,Wenn der Benutzer der Inhaber ist ,Activity,Aktivität DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Hilfe: Um eine Verknüpfung mit einem anderen Datensatz im System zu erstellen, bitte ""#Formular/Anmerkung/[Anmerkungsname]"" als Verknüpfungs-URL verwenden (kein ""http://""!)." apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,Lassen Sie uns wiederholt Wörter und Zeichen zu vermeiden DocType: Communication,Delayed,Verzögert apps/frappe/frappe/config/setup.py +128,List of backups available for download,Datensicherungen herunterladen -apps/frappe/frappe/www/login.html +84,Sign up,Anmeldung +apps/frappe/frappe/www/login.html +89,Sign up,Anmeldung DocType: Integration Request,Output,Ausgabe apps/frappe/frappe/config/setup.py +220,Add fields to forms.,Felder zu Formularen hinzufügen DocType: File,rgt,rgt @@ -995,7 +998,7 @@ DocType: User Email,Email ID,E-Mail-ID DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,"Eine Liste der Ressourcen, die der Client-Anwendung Zugriff auf nach dem Benutzer erlaubt, es haben wird.
    zB Projekt" DocType: Translation,Translated Text,Übersetzt Text DocType: Contact Us Settings,Query Options,Abfrageoptionen -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,Importvorgang erfolgreich! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,Importvorgang erfolgreich! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,Aktualisieren von Datensätzen DocType: Error Snapshot,Timestamp,Zeitstempel DocType: Patch Log,Patch Log,Korrektur-Protokoll @@ -1009,14 +1012,14 @@ DocType: System Settings,Setup Complete,Einrichtung abgeschlossen apps/frappe/frappe/config/setup.py +66,Report of all document shares,"Bericht über alle Dokumente, die freigegeben wurden" apps/frappe/frappe/www/update-password.html +18,New Password,Neues Passwort apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,Filter {0} fehlt -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,Es tut uns leid! Sie können nicht automatisch generierten Kommentare löschen +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,Es tut uns leid! Sie können nicht automatisch generierten Kommentare löschen DocType: Website Theme,Style using CSS,CSS-Style apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,Referenz-DocType DocType: User,System User,Systembenutzer DocType: Report,Is Standard,Ist Standard DocType: Desktop Icon,_report,_Bericht DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field","Nicht HTML Encode HTML-Tags wie <script> oder einfach nur Zeichen wie <oder>, da sie absichtlich auf diesem Gebiet verwendet werden könnten," -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,Standardwert angeben +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,Standardwert angeben DocType: Website Settings,FavIcon,FavIcon apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,"Mindestens eine Antwort ist obligatorisch, bevor Feedback anfordernden" DocType: Workflow State,minus-sign,Minuszeichen @@ -1027,7 +1030,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Cu DocType: Authentication Log,Login,Anmelden DocType: Web Form,Payments,Zahlungen DocType: System Settings,Enable Scheduled Jobs,Geplante Arbeiten aktivieren -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,Hinweise: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,Hinweise: apps/frappe/frappe/www/message.html +19,Status: {0},Status: {0} DocType: DocShare,Document Name,Dokumentenname apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,Als Spam markieren @@ -1041,7 +1044,7 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,Module all apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,Von-Datum apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,Erfolg apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},Feedback-Anfrage für {0} an {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,Sitzung abgelaufen +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,Sitzung abgelaufen DocType: Kanban Board Column,Kanban Board Column,Kanbantafel Säule apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,Gerade Reihen von Tasten sind leicht zu erraten DocType: Communication,Phone No.,Telefonnr. @@ -1051,7 +1054,7 @@ DocType: Workflow State,picture,Bild apps/frappe/frappe/www/complete_signup.html +22,Complete,Komplett DocType: Customize Form,Image Field,Bildfeld DocType: Print Format,Custom HTML Help,Benutzerdefinierte HTML-Hilfe -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,Eine neue Einschränkung hinzufügen +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,Eine neue Einschränkung hinzufügen apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,Siehe auf der Webseite DocType: Workflow Transition,Next State,Nächster Status DocType: User,Block Modules,Block-Module @@ -1066,7 +1069,7 @@ DocType: Email Account,Default Incoming,Standard-Eingang DocType: Workflow State,repeat,Wiederholen DocType: Website Settings,Banner,Banner DocType: Role,"If disabled, this role will be removed from all users.","Wenn diese Option deaktiviert, wird diese Rolle von allen Benutzern entfernt werden." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,Hilfe zur Suche +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,Hilfe zur Suche apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,Registrierte aber deaktiviert DocType: DocType,Hide Copy,Kopie ausblenden apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,Alle Rollen löschen @@ -1076,7 +1079,7 @@ apps/frappe/frappe/permissions.py +274,Row,Zeile DocType: DocType,Track Changes,Änderungen verfolgen DocType: Workflow State,Check,Überprüfen DocType: Razorpay Settings,API Key,API-Schlüssel -DocType: Email Account,Send unsubscribe message in email,Senden Abmelden Nachricht per E-Mail +DocType: Email Account,Send unsubscribe message in email,Abmelden-Link in der E-Mail-Nachricht senden apps/frappe/frappe/public/js/frappe/form/toolbar.js +81,Edit Title,Titel bearbeiten apps/frappe/frappe/desk/page/modules/modules.js +24,Install Apps,Apps installieren apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +66,Fieldname which will be the DocType for this link field.,"Feldname, der der DocType für dieses Verknüpfungsfeld sein wird." @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,Löschen apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},Neu {0} apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,Keine Benutzer-Einschränkungen gefunden. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,Standard-Posteingang -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,Neu erstellen +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,Neu erstellen DocType: Print Settings,PDF Page Size,PDF-Seitengröße apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,Hinweis: Felder mit leeren Werten für die oben genannten Kriterien werden nicht herausgefiltert. DocType: Communication,Recipient Unsubscribed,Empfänger Unsubscribed DocType: Feedback Request,Is Sent,ist Sent apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,Über -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.",Nur ausgewählte Spalten können aktualisiert werden +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.",Nur ausgewählte Spalten können aktualisiert werden DocType: System Settings,Country,Land apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,Adressen DocType: Communication,Shared,gemeinsam genutzt @@ -1125,12 +1128,12 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",% S ist kein gültiges Berichtsformat. Berichtsformat sollte eine der folgenden% s \ DocType: Communication,Chat,Unterhaltung apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},Feldname {0} erscheint mehrfach in Zeilen {1} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} von {1} bis {2} in Zeile # {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} von {1} bis {2} in Zeile # {3} DocType: Communication,Expired,Verfallen DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),Anzahl der Spalten für ein Feld in einem Raster (Total Spalten in einem Raster sollte weniger als 11) DocType: DocType,System,System DocType: Web Form,Max Attachment Size (in MB),Max Anhang Größe (in MB) -apps/frappe/frappe/www/login.html +88,Have an account? Login,Ein Konto haben? Anmeldung +apps/frappe/frappe/www/login.html +93,Have an account? Login,Ein Konto haben? Anmeldung apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},Unbekanntes Druckformat: {0} DocType: Workflow State,arrow-down,Pfeil-nach-unten apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,Zuklappen @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,benutzerdefinierte Rolle apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,Startseite/Test-Ordner 2 DocType: System Settings,Ignore User Permissions If Missing,"Benutzerberechtigungen ignorieren, wenn Folgendes fehlt" -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,Bitte das Dokument vor dem Hochladen abspeichern. -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,Passwort eingeben +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,Bitte das Dokument vor dem Hochladen abspeichern. +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,Passwort eingeben DocType: Dropbox Settings,Dropbox Access Secret,Dropbox-Zugangsdaten apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,Weiteren Kommentar hinzufügen apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,DocType bearbeiten -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,Unsubscribed von Newsletter +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,Unsubscribed von Newsletter apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,Falz muss vor einem Bereichsumbruch kommen apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,Zuletzt geändert durch DocType: Workflow State,hand-down,Pfeil-nach-unten @@ -1159,7 +1162,8 @@ DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,Redirect URI B DocType: DocType,Is Submittable,Ist übertragbar apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,Wert für ein Ankreuz-Feld kann entweder 0 oder 1 sein apps/frappe/frappe/model/document.py +634,Could not find {0},{0} konnte nicht gefunden werden -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,Spaltenbeschriftungen: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,Download im Excel-Dateiformat +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,Spaltenbeschriftungen: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,Nummernkreis zwingend erforderlich DocType: Social Login Keys,Facebook Client ID,Facebook-Kunden-ID DocType: Workflow State,Inbox,Posteingang @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,Gruppe DocType: Footer Item,"Select target = ""_blank"" to open in a new page.","Bitte für ""Ziel"" = ""_blank"" auswählen, um den Inhalt in einer neuen Seite zu öffnen." apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,{0} endgültig löschen? apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,Gleiche Datei wurde bereits dem Datensatz hinzugefügt -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,Verschlüsselungsfehler ignorieren. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,Verschlüsselungsfehler ignorieren. DocType: Auto Email Report,XLS,XLS DocType: Workflow State,wrench,Schraubenschlüssel apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,Nicht festgelegt @@ -1184,7 +1188,7 @@ DocType: Authentication Log,Date,Datum DocType: Website Settings,Disable Signup,Anmelden deaktivieren apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +127,Sit tight while your system is being setup. This may take a few moments.,"Bitte warten Sie, während Ihr System eingerichtet wird. Dies kann einige Zeit dauern." DocType: Email Queue,Email Queue,E-Mail-Queue -apps/frappe/frappe/core/page/desktop/desktop.py +12,Add Employees to Manage Them,"Fügen Sie Mitarbeiter, um sie zu verwalten" +apps/frappe/frappe/core/page/desktop/desktop.py +12,Add Employees to Manage Them,"Fügen Sie Mitarbeiter hinzu, um diese zu verwalten" apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +7,Roles can be set for users from their User page.,Rollen können für Benutzer von deren Benutzerseite aus eingestellt werden. apps/frappe/frappe/templates/includes/comments/comments.html +25,Add Comment,Kommentar hinzufügen DocType: DocField,Mandatory,Zwingend notwendig @@ -1195,24 +1199,25 @@ apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be e apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","Bedeutung von Übertragen, Stornieren, Abändern" apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,Aufgaben apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,Alle vorhandenen Berechtigungen werden gelöscht/überschrieben. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),Dann von (optional) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),Dann von (optional) DocType: File,Preview HTML,HTML-Vorschau DocType: Desktop Icon,query-report,Abfrage-Bericht apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},Zugewiesen zu {0}: {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,Filter gespeichert DocType: DocField,Percent,Prozent -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,Bitte Filter einstellen +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,Bitte Filter einstellen apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,Verknüpft mit DocType: Workflow State,book,Buchen DocType: Website Settings,Landing Page,Zielseite apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,Fehler in benutzerdefinierten Skripts apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} Name -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.","Import anfordern Warteschlange. Dies kann einen Moment dauern, bitte haben Sie Geduld." +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.","Import anfordern Warteschlange. Dies kann einen Moment dauern, bitte haben Sie Geduld." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,Keine Berechtigungen für diese Kriterien gesetzt. DocType: Auto Email Report,Auto Email Report,Auto Email-Bericht apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,Max E-Mails -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,Kommentar löschen? +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,Kommentar löschen? DocType: Address Template,This format is used if country specific format is not found,"Dieses Format wird verwendet, wenn ein länderspezifisches Format nicht gefunden werden kann" +DocType: System Settings,Allow Login using Mobile Number,Login mit Mobilnummer zulassen apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,"Sie haben nicht genügend Rechte, um auf diese Ressource zuzugreifen. Bitte kontaktieren Sie Ihren Manager um Zugang zu bekommen." DocType: Custom Field,Custom,Benutzerdefiniert apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,E-Mail-Benachrichtigung einrichten auf der Grundlage verschiedener Kriterien. @@ -1238,7 +1243,7 @@ DocType: Workflow State,step-backward,Schritt zurück apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{app_title} apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,Bitte Dropbox-Zugriffsdaten in den Einstellungen der Seite setzen apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,"Löschen Sie diesen Datensatz, um das Senden an diese E-Mail Adresse zu ermöglichen" -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,"Für neue Datensätze sind nur Pflichtfelder zwingend erforderlich. Nicht zwingend erforderliche Spalten können gelöscht werden, falls gewünscht." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,"Für neue Datensätze sind nur Pflichtfelder zwingend erforderlich. Nicht zwingend erforderliche Spalten können gelöscht werden, falls gewünscht." apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,Ereignis kann nicht aktualisiert werden apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,Zahlung abschließen apps/frappe/frappe/utils/bot.py +89,show,Show @@ -1249,6 +1254,7 @@ DocType: Workflow State,map-marker,Plan-Markierer apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,Eine Anfrage übertragen. DocType: Event,Repeat this Event,Dieses Ereignis wiederholen DocType: Contact,Maintenance User,Nutzer Instandhaltung +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,Sortiervorgaben apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,"Vermeiden Sie Termine und Jahre, die mit Ihnen verbunden sind." DocType: Custom DocPerm,Amend,Abändern DocType: File,Is Attachments Folder,Ist Ordner für Anhänge @@ -1274,9 +1280,9 @@ DocType: DocType,Route,Route apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,Razorpay Payment Gateway-Einstellungen DocType: DocField,Name,Name apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,Sie haben den maximalen Speicherplatz {0} für Ihren Plan überschritten. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,Suche nach den docs +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,Suche nach den docs DocType: OAuth Authorization Code,Valid,Gültig -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,Verknüpfung öffnen +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,Verknüpfung öffnen apps/frappe/frappe/desk/form/load.py +46,Did not load,wurde nicht geladen apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,Zeile hinzufügen DocType: Tag Category,Doctypes,doctypes @@ -1291,7 +1297,7 @@ DocType: Workflow State,align-center,Zentrieren DocType: Feedback Request,Is Feedback request triggered manually ?,Ist Feedback-Anfrage manuell ausgelöst? apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,Kann schreiben apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.","Bestimmte Vorgänge, wie z.B. Rechnung, sollten nach dem Fertigstellen nicht mehr abgeändert werden. Diese befinden sich im Status ""Gebucht"". Sie können außerdem festlegen, wer Vorgänge buchen darf." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,Sie sind nicht berechtigt diesen Bericht zu exportieren +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,Sie sind nicht berechtigt diesen Bericht zu exportieren apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,1 Artikel ausgewählt DocType: Newsletter,Test Email Address,Test-E-Mail-Adresse DocType: ToDo,Sender,Absender @@ -1330,7 +1336,7 @@ apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,Zeile apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} nicht gefunden DocType: Communication,Attachment Removed,Anlage entfernt apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,Die letzten Jahre sind leicht zu erraten. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,Beschreibung unter dem Feld anzeigen +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,Beschreibung unter dem Feld anzeigen DocType: DocType,ASC,ASC DocType: Workflow State,align-left,linksbündig DocType: User,Defaults,Standardeinstellungen @@ -1341,7 +1347,7 @@ DocType: Dynamic Link,Link Title,Link Title DocType: Workflow State,fast-backward,Schnellrücklauf DocType: DocShare,DocShare,DocShare DocType: Event,Friday,Freitag -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,Bearbeiten in voller Seite +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,Bearbeiten in voller Seite DocType: Authentication Log,User Details,Nutzerdetails DocType: Report,Add Total Row,Summenzeile hinzufügen apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,"Beispiel: Wenn Sie INV004 stornieren und abändern, wird INV004 zu einem neuen Dokument INV004-1. Dies hilft Ihnen, den Überblick über jede Änderung zu behalten." @@ -1359,8 +1365,8 @@ For e.g. 1 USD = 100 Cent","1 Währungseinheit = [?] Teilbetrag für z. B. 1 Euro = 100 Cent" apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour","Zu viele Benutzer unterzeichnete vor kurzem, also die Registrierung ist deaktiviert. Bitte versuchen Sie es in einer Stunde zurück" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,Neue Berechtigungsregel anlegen -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,"Sie können den Platzhalter ""%"" verwenden" -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Nur Bild-Datenformate (.gif, .jpg, .jpeg, .tiff, .png, .svg) erlaubt" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,"Sie können den Platzhalter ""%"" verwenden" +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Nur Bild-Datenformate (.gif, .jpg, .jpeg, .tiff, .png, .svg) erlaubt" DocType: DocType,Database Engine,Database Engine DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box","Felder, die durch Komma (,) getrennt sind, sind in der ""Suchen nach""-Liste des Suche-Dialogfeldes enthalten." apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,Bitte dieses Webseiten-Thema duplizieren um es anzupassen. @@ -1368,10 +1374,10 @@ DocType: DocField,Text Editor,Text Bearbeiter apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,"Einstellungen ""Über uns""." apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,Benutzerdefiniertes HTML bearbeiten DocType: Error Snapshot,Error Snapshot,Fehler-Schnappschuss -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,in +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,in DocType: Email Alert,Value Change,Wertänderung DocType: Standard Reply,Standard Reply,Standard-Antwort -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,Breite des Eingabefeldes +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,Breite des Eingabefeldes DocType: Address,Subsidiary,Tochtergesellschaft DocType: System Settings,In Hours,In Stunden apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,Mit Briefkopf @@ -1386,13 +1392,12 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,Als Benutzer einladen apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,Anhänge auswählen apps/frappe/frappe/model/naming.py +95, for {0},für {0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,Es sind Fehler aufgetreten. Bitte melden Sie dies. +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,Es sind Fehler aufgetreten. Bitte melden Sie dies. apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,Sie sind nicht berechtigt dieses Dokument zu drucken apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,Bitte setzen Sie Filter Wert in Berichtsfiltertabelle. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,Lade Bericht +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,Lade Bericht apps/frappe/frappe/limits.py +72,Your subscription will expire today.,Ihr Abonnement wird heute auslaufen. DocType: Page,Standard,Standard -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,Finden Sie {0} in apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,Datei anhängen apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,Benachrichtigung zur Passwort-Aktualisierung apps/frappe/frappe/desk/page/backups/backups.html +13,Size,Größe @@ -1403,9 +1408,9 @@ DocType: Deleted Document,New Name,Neuer Name DocType: Communication,Email Status,E-Mail-Status apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,Bitte das Dokument vor dem Entfernen einer Zuordnung abspeichern apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,Oberhalb einfügen -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,Häufige und Nachnamen sind leicht zu erraten. +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,Häufige und Nachnamen sind leicht zu erraten. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,Entwurf -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,Dies ist ähnlich wie bei einem häufig verwendeten Passwort. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,Dies ist ähnlich wie bei einem häufig verwendeten Passwort. DocType: User,Female,Weiblich DocType: Print Settings,Modern,Modern apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,Suchergebnisse @@ -1413,7 +1418,7 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,Nicht gespe DocType: Communication,Replied,Beantwortet DocType: Newsletter,Test,Test DocType: Custom Field,Default Value,Standardwert -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,Prüfen +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,Prüfen DocType: Workflow Document State,Update Field,Feld aktualisieren apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},Validierung fehlgeschlagen für {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,Regional Extensions @@ -1426,7 +1431,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,Zero bedeutet Sendeaufzeichnungen jederzeit aktualisiert apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,Einrichtung abschliessen DocType: Workflow State,asterisk,Sternchen -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,Bitte nicht die Vorlagenköpfe ändern. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,Bitte nicht die Vorlagenköpfe ändern. DocType: Communication,Linked,Verknüpft apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},Geben Sie den Namen des neuen {0} ein DocType: User,Frappe User ID,Frappe Benutzer-ID @@ -1435,9 +1440,9 @@ DocType: Workflow State,shopping-cart,Warenkorb apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,Woche DocType: Social Login Keys,Google,Google DocType: Email Domain,Example Email Address,Beispiel E-Mail-Adresse -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,Am Meisten verwendet -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,Newsletter abbestellen -apps/frappe/frappe/www/login.html +96,Forgot Password,Passwort vergessen +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,Am Meisten verwendet +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,Newsletter abbestellen +apps/frappe/frappe/www/login.html +101,Forgot Password,Passwort vergessen DocType: Dropbox Settings,Backup Frequency,Backup-Frequenz DocType: Workflow State,Inverse,Invertieren DocType: DocField,User permissions should not apply for this Link,Benutzerrechte sollten für diese Verknüpfung nicht gelten @@ -1448,9 +1453,9 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Nu apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,Browser wird nicht unterstützt apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,Einige Informationen fehlen DocType: Custom DocPerm,Cancel,Abbrechen -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,Dem Desktop hinzufügen +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,Dem Desktop hinzufügen apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,Datei {0} ist nicht vorhanden -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,Freilassen für neue Datensätze +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,Freilassen für neue Datensätze apps/frappe/frappe/config/website.py +63,List of themes for Website.,Themen für die Webseite auflisten apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,Erfolgreich aktualisiert DocType: Authentication Log,Logout,Abmelden @@ -1463,7 +1468,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a DocType: Currency,Symbol,Symbol apps/frappe/frappe/model/base_document.py +535,Row #{0}:,Zeile #{0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,Neues Passwort per E-Mail versendet -apps/frappe/frappe/auth.py +242,Login not allowed at this time,Anmelden zur Zeit nicht erlaubt +apps/frappe/frappe/auth.py +245,Login not allowed at this time,Anmelden zur Zeit nicht erlaubt DocType: Email Account,Email Sync Option,E-Mail-Sync Option DocType: Async Task,Runtime,Laufzeit DocType: Contact Us Settings,Introduction,Vorstellung @@ -1478,7 +1483,7 @@ apps/frappe/frappe/config/setup.py +240,Custom Tags,Benutzerdefinierte Schlagwö apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,Keine passenden Apps gefunden DocType: Communication,Submitted,Gebucht DocType: System Settings,Email Footer Address,Signatur in der E-Mail-Fußzeile -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,Tabelle aktualisiert +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,Tabelle aktualisiert DocType: Communication,Timeline DocType,Timeline DocType DocType: DocField,Text,Text apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,Standard-Antworten auf häufige Fragen @@ -1488,7 +1493,7 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by DocType: Footer Item,Footer Item,Footer Artikel ,Download Backups,Datensicherungen herunterladen apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,Startseite/Test-Ordner 1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.","Datensätze nicht aktualisieren, sondern neue Datensätze einfügen." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.","Datensätze nicht aktualisieren, sondern neue Datensätze einfügen." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,Mir zuweisen apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,Ordner bearbeiten DocType: DocField,Dynamic Link,Dynamische Verknüpfung @@ -1501,9 +1506,10 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,Schnellinfo zum Festlegen von Berechtigungen DocType: Tag Doc Category,Doctype to Assign Tags,Doctype Tags zuweisen apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,Rückfälle anzeigen +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,E-Mail wurde in den Papierkorb verschoben DocType: Report,Report Builder,Berichts-Generator DocType: Async Task,Task Name,Aufgaben-Name -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.","Ihre Sitzung ist abgelaufen, bitte melden Sie sich erneut an, um fortzufahren." +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.","Ihre Sitzung ist abgelaufen, bitte melden Sie sich erneut an, um fortzufahren." DocType: Communication,Workflow,Workflow apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},Queued für die Sicherung und Beseitigung {0} DocType: Workflow State,Upload,Hochladen @@ -1526,7 +1532,7 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18","Dieses Feld wird nur angezeigt, wenn der Feldname hier definierten Wert hat oder die Regeln erfüllt sind (Beispiele): myfield eval: doc.myfield == 'My Value' eval: doc.age> 18" -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,Heute +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,Heute apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).","Sobald dies eingestellt wurde, haben die Benutzer nur Zugriff auf Dokumente (z. B. Blog-Eintrag), bei denen eine Verknüpfung existiert (z. B. Blogger)." DocType: Error Log,Log of Scheduler Errors,Protokoll von Fehlermeldungen des Terminplaners DocType: User,Bio,Lebenslauf @@ -1540,7 +1546,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,Gelöscht DocType: Workflow State,adjust,Anpassen DocType: Web Form,Sidebar Settings,Sidebar-Einstellungen -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,

    Keine Ergebnisse für '

    DocType: Website Settings,Disable Customer Signup link in Login page,Kunden-Anmeldung auf der Anmeldeseite deaktivieren apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,Zuständig / Inhaber DocType: Workflow State,arrow-left,Pfeil-nach-links @@ -1561,8 +1566,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,Zeige Abschnittsüberschriften DocType: Bulk Update,Limit,Grenze apps/frappe/frappe/www/printview.py +219,No template found at path: {0},Keine Vorlage im Pfad: {0} gefunden -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,Nach dem Import übertragen. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,Kein E-Mail-Konto +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,Nach dem Import übertragen. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,Kein E-Mail-Konto DocType: Communication,Cancelled,Abgebrochen DocType: Standard Reply,Standard Reply Help,Standardantwort Hilfe DocType: Blogger,Avatar,Avatar @@ -1571,13 +1576,13 @@ DocType: DocType,Has Web View,Hat Webansicht apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores","DocType Name sollte mit einem Buchstaben beginnen und es darf nur aus Buchstaben, Zahlen, Leerzeichen und Unterstrichen" DocType: Communication,Spam,Spam DocType: Integration Request,Integration Request,Integration anfordern -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,Hallo +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,Hallo DocType: Contact,Accounts User,Rechnungswesen Benutzer DocType: Web Page,HTML for header section. Optional,HTML für Kopfzeilen-Bereich. Optional apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,Diese Funktion ist ganz neu und noch experimentell apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,Maximum von {0} Zeilen erlaubt DocType: Email Unsubscribe,Global Unsubscribe,Global austragen -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,Dies ist ein sehr häufiges Passwort. +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,Dies ist ein sehr häufiges Passwort. apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,Anzeigen DocType: Communication,Assigned,Zugewiesen DocType: Print Format,Js,js @@ -1585,13 +1590,14 @@ apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Form apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,Kurze Tastatur-Muster sind leicht zu erraten DocType: Portal Settings,Portal Menu,Portal-Menü apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,Länge von {0} sollte zwischen 1 und 1000 -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,Suchen Sie nach etwas +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,Suchen Sie nach etwas DocType: DocField,Print Hide,Beim Drucken verbergen apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,Wert eingeben DocType: Workflow State,tint,Farbton DocType: Web Page,Style,Stil apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,z. B.: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} Kommentare +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,E-Mail-Konto nicht eingerichtet. Bitte erstellen Sie ein neues E-Mail-Konto von Setup> Email> E-Mail-Konto apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,Kategorie wählen... DocType: Customize Form Field,Label and Type,Bezeichnung und Typ DocType: Workflow State,forward,Weiterleiten @@ -1603,12 +1609,14 @@ DocType: Website Settings,Sub-domain provided by erpnext.com,"Unterdomäne, bere DocType: System Settings,dd-mm-yyyy,TT-MM-JJJJ apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,"Um auf diesen Bericht zuzugreifen, muss eine Berichtsberechtigung vorliegen." apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,Bitte wählen Sie Minimum Password Score -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,Hinzugefügt -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.","Aktualisieren Sie nur, keine neuen Datensätze einfügen." +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,Hinzugefügt +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.","Aktualisieren Sie nur, keine neuen Datensätze einfügen." apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,"Ein täglicher Ereignisbericht wird für alle die Kalenderereignisse gesendet, bei denen Erinnerungen aktiviert sind." apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,Webseite anzeigen DocType: Workflow State,remove,Entfernen DocType: Email Account,If non standard port (e.g. 587),Falls kein Standardport (z.B. 587) verwendet wird +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Setup> User Permissions Manager +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Keine Standard-Adressvorlage gefunden. Bitte erstellen Sie eine neue aus Setup> Drucken und Branding> Adressvorlage. apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,Neu laden apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,Eigene Schlagwort Kategorien hinzufügen apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,Summe @@ -1626,16 +1634,15 @@ apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",Suchergebnisse apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},Erlaubnis kann für DocType: {0} und Name: {1} nicht gesetzt werden apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,Zur Aufgabenliste hinzufügen DocType: Footer Item,Company,Firma -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Bitte legen Sie das Standard-E-Mail-Konto von Setup> Email> E-Mail-Konto ein apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,Mir zugewiesen -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,Passwort Bestätigen +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,Passwort Bestätigen apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,Es gab Fehler apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,Schließen apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,DocStatus kann nicht von 0 auf 2 geändert werden DocType: User Permission for Page and Report,Roles Permission,Rollen Permission apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,Aktualisieren DocType: Error Snapshot,Snapshot View,Schnappschuss-Ansicht -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,Bitte den Newsletter vor dem Senden speichern +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,Bitte den Newsletter vor dem Senden speichern apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},"""Optionen"" muss ein gültiger DocType für Feld {0} in Zeile {1} sein" apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,Eigenschaften bearbeiten DocType: Patch Log,List of patches executed,Angewandte Patches @@ -1643,17 +1650,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,Kommunikationsmedium DocType: Website Settings,Banner HTML,Banner-HTML apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',Bitte wählen Sie eine andere Zahlungsmethode. Razorpay unterstützt keine Transaktionen in der Währung ‚{0}‘ -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,Queued für das Backup. Es kann ein paar Minuten bis zu einer Stunde dauern. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,Queued für das Backup. Es kann ein paar Minuten bis zu einer Stunde dauern. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,Registrieren OAuth-Client App apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""","{0} {1} kann nicht ""{2}"" sein . Es sollte aus ""{3}"" sein." -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} oder {1} +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} oder {1} apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,Desktopsymbole ein- oder ausblenden apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,Passwort-Aktualisierung DocType: Workflow State,trash,Ausschuss DocType: System Settings,Older backups will be automatically deleted,Ältere Backups werden automatisch gelöscht DocType: Event,Leave blank to repeat always,"Freilassen, um immer zu wiederholen" -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,Bestätigt +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,Bestätigt DocType: Event,Ends on,Endet am DocType: Payment Gateway,Gateway,Gateway apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,"Nicht genügend Erlaubnis, Links zu sehen" @@ -1661,18 +1668,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO","HTML im ""head""-Abschnitt der Web-Seite hinzugefügt. Wird vor allem für Webseiten-Verifikation und SEO verwendet" apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,Rückfällig apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,Artikel kann nicht zu seinen eigenen Abkömmlingen hinzugefügt werden -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,anzeigen Totals +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,anzeigen Totals DocType: Error Snapshot,Relapses,Rückfälle DocType: Address,Preferred Shipping Address,Bevorzugte Lieferadresse DocType: Social Login Keys,Frappe Server URL,Frappe Server-URL -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,Mit Briefkopf +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,Mit Briefkopf apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} erstellte diese {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,Das Dokument kann nur von Benutzern der Rolle bearbeitet werden apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.","Die Aufgabe {0}, die Sie {1} zugeordnet haben, wurde von {2} geschlossen." DocType: Print Format,Show Line Breaks after Sections,Zeige Zeilenumbrüche nach den Abschnitten DocType: Blogger,Short Name,Kürzel apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},Seite {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).","Sie haben die ALL als Synchronisations-Option gewählt. \ Damit werden alle neuen, gelesenen sowie ungelesene Nachricht vom Server empfangen. \ Es kann zu Duplikaten bei den E-Mails kommen." apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,Dateien Größe @@ -1681,7 +1688,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,Gesperrt DocType: Contact Us Settings,"Default: ""Contact Us""",Standardeinstellung: „Kontaktieren Sie uns“ DocType: Contact,Purchase Manager,Einkaufsleiter -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.","Ebene 0 gilt für Dokumentenberechtigungen, höhere Ebenen gelten für Berechtigungen auf Feldebene." DocType: Custom Script,Sample,Beispiel apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,Uncategorised Stichworte apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore","Benutzername sollte nicht mit anderen als Buchstaben, Zahlen und Unterstrich Sonderzeichen enthalten" @@ -1704,7 +1710,7 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please up apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,Monat DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,Protip: In Reference: {{ reference_doctype }} {{ reference_name }} senden Dokumentverweis apps/frappe/frappe/modules/utils.py +202,App not found,App nicht gefunden -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},Kann nicht erstellen {0} gegen ein Kind Dokument: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},Kann nicht erstellen {0} gegen ein Kind Dokument: {1} DocType: Portal Settings,Custom Sidebar Menu,Benutzerdefinierte Sidebar Menu DocType: Workflow State,pencil,Bleistift apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,Chat-Nachrichten und andere Meldungen @@ -1714,11 +1720,11 @@ apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please ente DocType: Workflow State,hand-up,Pfeil-nach-oben DocType: Blog Settings,Writers Introduction,Vorwort des Autors DocType: Communication,Phone,Telefon -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,Fehler beim Auswerten E-Mail Benachrichtigung {0}. Bitte korrigieren Sie Ihre Vorlage. +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,Fehler beim Auswerten E-Mail Benachrichtigung {0}. Bitte korrigieren Sie Ihre Vorlage. apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,"Dokumententyp oder Rolle auswählen, um zu beginnen." DocType: Contact,Passive,Passiv DocType: Contact,Accounts Manager,Kontenmanager -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,Dateityp auswählen +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,Dateityp auswählen DocType: Help Article,Knowledge Base Editor,Wissensdatenbank Bearbeiter/-in apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,Seite nicht gefunden DocType: DocField,Precision,Genauigkeit @@ -1727,7 +1733,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,Gruppen DocType: Workflow State,Workflow State,Workflow-Zustand apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,Zeilen hinzugefügt -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,Erfolg! Du bist gut zu gehen 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,Erfolg! Du bist gut zu gehen 👍 apps/frappe/frappe/www/me.html +3,My Account,Mein Konto DocType: ToDo,Allocated To,Zugewiesen zu apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,Bitte auf die folgende Verknüpfung klicken um ein neues Passwort zu setzen @@ -1749,7 +1755,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,Dokumente apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,Anmelde-ID apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},Sie haben {0} von {1} gemacht DocType: OAuth Authorization Code,OAuth Authorization Code,OAuth-Autorisierungscode -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,Import nicht erlaubt +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,Import nicht erlaubt DocType: Social Login Keys,Frappe Client Secret,Frappe Client-Geheimnis DocType: Deleted Document,Deleted DocType,Gelöschte DocType apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,Berechtigungsebenen @@ -1757,11 +1763,11 @@ DocType: Workflow State,Warning,Warnung DocType: Tag Category,Tag Category,Tag Kategorie apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!","Artikel {0} wird ignoriert, weil eine Gruppe mit dem gleichen Namen existiert!" apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,Kann nicht rückgängig gemacht Dokument wiederherstellen -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,Hilfe +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,Hilfe DocType: User,Login Before,Anmelden vor DocType: Web Page,Insert Style,Stil einfügen apps/frappe/frappe/config/setup.py +253,Application Installer,Einrichtungsprogramm für Anwendungen -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,Neuer Berichtsname +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,Neuer Berichtsname apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,Ist DocType: Workflow State,info-sign,Info-Zeichen apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,Wert für {0} kann keine Liste @@ -1769,9 +1775,10 @@ DocType: Currency,"How should this currency be formatted? If not set, will use s apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,Benutzerrechte anzeigen apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,Sie müssen eingeloggt sein und die Systemmanager-Rolle haben um auf Datensicherungen zuzugreifen. apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,Verbleibend +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,

    Keine Ergebnisse für '

    apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,Bitte vor dem Anhängen speichern -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),{0} ({1}) hinzugefügt -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},Standard-Design wird in {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),{0} ({1}) hinzugefügt +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},Standard-Design wird in {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},Feldtyp kann nicht von {0} nach {1} in Zeile {2} geändert werden apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,Rollenberechtigungen DocType: Help Article,Intermediate,Mittlere @@ -1787,11 +1794,12 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,Aktualisiere... DocType: Event,Starts on,Beginnt am DocType: System Settings,System Settings,Systemverwaltung apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,Sitzungsstart fehlgeschlagen -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},Diese E-Mail wurde an {0} gesendet und eine Kopie an {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},Diese E-Mail wurde an {0} gesendet und eine Kopie an {1} DocType: Workflow State,th,th -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},Neu erstellen: {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Setup> Benutzer +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},Neu erstellen: {0} DocType: Email Rule,Is Spam,ist Spam -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},Bericht {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},Bericht {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},{0} öffnen DocType: OAuth Client,Default Redirect URI,Standard Redirect URI DocType: Email Alert,Recipients,Empfänger @@ -1800,13 +1808,13 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,Duplizieren DocType: Newsletter,Create and Send Newsletters,Newsletter erstellen und senden apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,Von-Datum muss vor dem Bis-Datum liegen apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,"Bitte angeben, welches Wertefeld überprüft werden muss" -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added","""Übergeordnet"" bezeichnet die übergeordnete Tabelle, in der diese Zeile hinzugefügt werden muss" +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added","""Übergeordnet"" bezeichnet die übergeordnete Tabelle, in der diese Zeile hinzugefügt werden muss" DocType: Website Theme,Apply Style,Stil anwenden DocType: Feedback Request,Feedback Rating,Feedback-Bewertung apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,Freigegeben für DocType: Help Category,Help Articles,Hilfeartikel ,Modules Setup,Moduleinstellungen -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,Typ: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,Typ: DocType: Communication,Unshared,ungeteilten apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,Modul nicht gefunden DocType: User,Location,Ort @@ -1814,14 +1822,14 @@ apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},Ern ,Permitted Documents For User,Zulässige Dokumente für Benutzer apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission","Sie müssen die Berechtigung zum ""Freigeben"" haben" DocType: Communication,Assignment Completed,Auftrag abgeschlossen -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},Massen-Bearbeitung {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},Massen-Bearbeitung {0} DocType: Email Alert Recipient,Email Alert Recipient,Empfänger des E-Mail-Alarms apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,Nicht aktiv DocType: About Us Settings,Settings for the About Us Page,"Einstellungen ""Über uns""" apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,Stripe Payment Gateway Einstellungen apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,Typ des Dokumentes zum Herunterladen auswählen DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,z.B. pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,Feld benutzen um Datensätze zu filtern +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,Feld benutzen um Datensätze zu filtern DocType: DocType,View Settings,Einstellungen anzeigen DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll","Fügen Sie Ihre Mitarbeiter hinzu um Abwesenheiten, Auslagen und Abrechnungen zu verwalten" @@ -1831,9 +1839,9 @@ apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 charac DocType: OAuth Client,App Client ID,App Client-ID DocType: Kanban Board,Kanban Board Name,Kanban Board Name DocType: Email Alert Recipient,"Expression, Optional","Ausdruck, Optional" -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},Diese E-Mail wurde gesendet an {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},Diese E-Mail wurde gesendet an {0} DocType: DocField,Remember Last Selected Value,"Denken Sie daran, Zuletzt gewählte Wert" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,Bitte wählen Sie Dokumenttyp +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,Bitte wählen Sie Dokumenttyp DocType: Email Account,Check this to pull emails from your mailbox,"Hier aktivieren, um E-Mails aus Ihrem Postfach abzurufen" apps/frappe/frappe/limits.py +139,click here,Klick hier apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,Aufgehobenes Dokument kann nicht bearbeitet werden @@ -1856,26 +1864,26 @@ DocType: Communication,Has Attachment,Hat Anhang DocType: Contact,Sales User,Nutzer Vertrieb apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,Drag & Drop-Werkzeug zum Erstellen und Anpassen von Druckformaten apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,Erweitern -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,Menge +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,Menge DocType: Email Alert,Trigger Method,Trigger-Methode DocType: Workflow State,align-right,rechtsbündig DocType: Auto Email Report,Email To,E-Mail an apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,Ordner {0} ist nicht leer DocType: Page,Roles,Rollen -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,Feld {0} ist nicht auswählbar. +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,Feld {0} ist nicht auswählbar. DocType: System Settings,Session Expiry,Sitzungsende DocType: Workflow State,ban-circle,Bannkreis DocType: Email Flag Queue,Unread,Ungelesen DocType: Bulk Update,Desk,Schreibtisch apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,"SELECT-Abfrage schreiben. Bitte beachten, dass das Ergebnis nicht aufgeteilt wird (alle Daten werden in einem Rutsch gesendet)." DocType: Email Account,Attachment Limit (MB),Beschränkung der Größe des Anhangs (MB) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,Einstellungen Auto E-Mail +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,Einstellungen Auto E-Mail apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,Strg + Ab -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,Dies ist ein Top-10 gemeinsames Passwort. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,Dies ist ein Top-10 gemeinsames Passwort. DocType: User,User Defaults,Benutzer-Voreinstellungen apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,Neuen Eintrag erstellen DocType: Workflow State,chevron-down,Winkel nach unten -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),E-Mail wurde nicht an {0} gesendet (abbestellt / deaktiviert) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),E-Mail wurde nicht an {0} gesendet (abbestellt / deaktiviert) DocType: Async Task,Traceback,Zurück verfolgen DocType: Currency,Smallest Currency Fraction Value,Kleinste Währungsanteilwert apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,Zuweisen zu @@ -1886,7 +1894,7 @@ DocType: User,Restrict user from this IP address only. Multiple IP addresses can DocType: Communication,From,Von DocType: Website Theme,Google Font (Heading),Google Font (Überschrift) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,Zuerst einen Gruppenknoten wählen. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},{0} in {1} finden +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},{0} in {1} finden DocType: OAuth Client,Implicit,Implizit DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","Als Kommunikation zu diesem DocType anhängen (muss die Felder, ""Status"" und ""Betreff"" beinhalten)" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1903,8 +1911,10 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loadi apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.","Zugangsdaten eingeben um auf Facebook, Google und GitHub zuzugreifen" DocType: Auto Email Report,Filter Data,Filterdaten apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,Eine Markierung hinzufügen -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,Bitte zuerst eine Datei anhängen. +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,Bitte zuerst eine Datei anhängen. apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator",Beim Setzen des Namens hat es einige Fehler gegeben. Kontaktieren Sie bitte Ihren Administrator +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.","Du scheinst deinen Namen anstelle deiner E-Mail geschrieben zu haben. \ Bitte geben Sie eine gültige E-Mail-Adresse ein, damit wir zurückkommen können." DocType: Website Slideshow Item,Website Slideshow Item,Webseiten-Diashow-Artikel DocType: Portal Settings,Default Role at Time of Signup,Standardrolle für Neuanmeldungen DocType: DocType,Title Case,Bezeichnung in Großbuchstaben @@ -1912,7 +1922,7 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ",Namensoptionen:
    1. Feld: [Feldname] - Mit dem Feld
    2. naming_series: - Durch die Benennung der Serie (Feld namens naming_series muss vorhanden sein
    3. Prompt - Benutzer nach einem Namen
    4. [Serie] - Serie von Präfix (getrennt durch einen Punkt); zum Beispiel PRE. #####
    DocType: Blog Post,Email Sent,E-Mail wurde abgesendet DocType: DocField,Ignore XSS Filter,Ignorieren XSS-Filter -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,entfernt +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,entfernt apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,Dropbox Backup-Einstellungen apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,Als E-Mail senden DocType: Website Theme,Link Color,Farbe der Verknüpfung @@ -1933,9 +1943,9 @@ DocType: Letter Head,Letter Head Name,Briefkopf Name DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),Anzahl der Spalten für ein Feld in einer Listenansicht oder einem Gitter (Total Spalten sollte weniger als 11) apps/frappe/frappe/config/website.py +18,User editable form on Website.,Vom Benutzer bearbeitbares Formular auf der Webseite DocType: Workflow State,file,Datei -apps/frappe/frappe/www/login.html +103,Back to Login,Zurück zum Login +apps/frappe/frappe/www/login.html +108,Back to Login,Zurück zum Login apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,Zum Umbenennen benötigen Sie eine Schreibberechtigung -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,Regel anwenden +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,Regel anwenden DocType: User,Karma,Karma DocType: DocField,Table,Tabelle DocType: File,File Size,Dateigröße @@ -1945,7 +1955,7 @@ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Coun apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,Zwischen DocType: Async Task,Queued,Warteschlange DocType: PayPal Settings,Use Sandbox,Verwenden Sandbox -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,Neues benutzerdefiniertes Druckformat +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,Neues benutzerdefiniertes Druckformat DocType: Custom DocPerm,Create,Erstellen apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},Ungültiger Filter: {0} DocType: Email Account,no failed attempts,keine Fehlversuchen @@ -1969,8 +1979,8 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,Signal DocType: DocType,Show Print First,Ausdruck zuerst anzeigen apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,"Strg + Enter, um zu Posten" -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},{0} neu erstellen -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,Neues E-Mail-Konto +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},{0} neu erstellen +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,Neues E-Mail-Konto apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),Größe (MB) DocType: Help Article,Author,Autor apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,Senden fortsetzen @@ -1980,7 +1990,7 @@ DocType: Print Settings,Monochrome,Monochrom DocType: Contact,Purchase User,Nutzer Einkauf DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.","Unterschiedliche Zustände, in denen das Dokument existieren kann, wie zum Beispiel „Offen“, „Genehmigung ausstehend“ usw." apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,"Diese Verknüpfung ist ungültig oder abgelaufen. Bitte sicher stellen, dass die Verknüpfung korrekt eingefügt wurde." -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} wurde von dieser Mailing - Liste erfolgreich abgemeldet. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} wurde von dieser Mailing - Liste erfolgreich abgemeldet. DocType: Web Page,Slideshow,Diaschau apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,Standard-Adressvorlage kann nicht gelöscht werden DocType: Contact,Maintenance Manager,Leiter der Instandhaltung @@ -1994,13 +2004,16 @@ apps/frappe/frappe/model/document.py +1047,This document is currently queued for apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,Datei '{0}' nicht gefunden apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,Aufteilung entfernen DocType: User,Change Password,Kennwort ändern -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},Ungültige E-Mail: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},Ungültige E-Mail: {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,Das Ende des Ereignisses muss nach dem Ereignis-Anfang liegen apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},Sie haben keine ausreichenden Benutzerrechte um einen Bericht über: {0} zu erhalten DocType: DocField,Allow Bulk Edit,Bulk Bearbeiten zulassen DocType: Blog Post,Blog Post,Blog-Eintrag -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,Erweiterte Suche +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,Erweiterte Suche apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,Eine Anleitung zum Zurücksetzen des Passworts wurde an ihre E-Mail-Adresse verschickt +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.","Level 0 ist für Dokumentebene Berechtigungen, \ höhere Ebenen für Feldebene Berechtigungen." +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,Sortieren nach DocType: Workflow,States,Zustände DocType: Email Alert,Attach Print,Ausdruck anhängen apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},Empfohlener Benutzername: {0} @@ -2008,25 +2021,25 @@ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,Tag ,Modules,Module apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,Desktopsymbole anpassen apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,Zahlungserfolg -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,Nein {0} mail +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,Nein {0} mail DocType: OAuth Bearer Token,Revoked,Gesperrte DocType: Web Page,Sidebar and Comments,Sidebar und Kommentare apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.","Wenn ein Dokument nach dem Stornieren geändert und abgespeichert wird, bekommt es eine neue Versionsnummer der alten Nummer." DocType: Stripe Settings,Publishable Key,Veröffentlichender Schlüssel DocType: Workflow State,circle-arrow-left,Kreis-Pfeil-nach-links apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,Redis Cache-Server läuft nicht. Bitte Administrator/Technischen Support kontaktieren -apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,Party-Namen -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,Einen neuen Datensatz erstellen +apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,Name +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,Einen neuen Datensatz erstellen apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,Suchen DocType: Currency,Fraction,Teil DocType: LDAP Settings,LDAP First Name Field,LDAP-Feld Vorname -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,Aus bestehenden Anlagen auswählen +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,Aus bestehenden Anlagen auswählen DocType: Custom Field,Field Description,Feldbeschreibung apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,Name nicht über Eingabeaufforderung gesetzt -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,E-Mail-Posteingang +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,E-Mail-Posteingang DocType: Auto Email Report,Filters Display,Filter anzeigen DocType: Website Theme,Top Bar Color,Farbe der Kopfleiste -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,Wollen Sie von dieser Mailing-Liste abmelden? +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,Wollen Sie von dieser Mailing-Liste abmelden? DocType: Address,Plant,Fabrik apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,Allen antworten DocType: DocType,Setup,Einstellungen @@ -2036,8 +2049,8 @@ DocType: Workflow State,glass,Glas DocType: DocType,Timeline Field,Timeline-Feld DocType: Country,Time Zones,Zeitzonen apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,Es muss atleast eine Erlaubnis Regel sein. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,Artikel aufrufen -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,Sie haben den Dropbox-Zugriff nicht verifiziert. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,Artikel aufrufen +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,Sie haben den Dropbox-Zugriff nicht verifiziert. DocType: DocField,Image,Bild DocType: Workflow State,remove-sign,Entfernen-Zeichen apps/frappe/frappe/www/search.html +30,Type something in the search box to search,Geben Sie etwas in das Suchfeld zu suchen @@ -2046,9 +2059,9 @@ DocType: Communication,Other,Sonstige(s) apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,Neues Format starten apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,Bitte eine Datei anhängen DocType: Workflow State,font,Schriftart -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,Dies ist ein Top-100 gemeinsames Passwort. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,Dies ist ein Top-100 gemeinsames Passwort. apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,Bitte Pop-ups aktivieren -DocType: Contact,Mobile No,Mobilfunknummer +DocType: User,Mobile No,Mobilfunknummer DocType: Communication,Text Content,Text Inhalt DocType: Customize Form Field,Is Custom Field,Ist benutzerdefiniertes Feld DocType: Workflow,"If checked, all other workflows become inactive.","Wenn aktiviert, werden alle anderen Workflows inaktiv." @@ -2063,7 +2076,7 @@ DocType: Email Flag Queue,Action,Aktion apps/frappe/frappe/www/update-password.html +111,Please enter the password,Bitte Passwort eingeben apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,Nicht erlaubt abgebrochen Dokumente zu drucken apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,Sie sind nicht berechtigt Spalten zu erstellen -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,Info: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,Info: DocType: Custom Field,Permission Level,Berechtigungsebene DocType: User,Send Notifications for Transactions I Follow,"Benachrichtigungen für Transaktionen, denen Sie folgen, senden" apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write","{0}: Kann nicht auf ""Übertragen"", ""Stornieren"", ""Ändern"" eingestellt werden ohne ""Schreiben""" @@ -2081,11 +2094,11 @@ DocType: DocField,In List View,In der Listenansicht DocType: Email Account,Use TLS,TLS verwenden apps/frappe/frappe/email/smtp.py +24,Invalid login or password,Ungültige Benutzerkennung oder ungültiges Passwort apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,Benutzerdefiniertes Javascript zum Formular hinzufügen -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,Lf. Nr. +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,Lf. Nr. ,Role Permissions Manager,Rollenberechtigungen-Manager apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,Name des neuen Druckformats -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,Anlage beseitigen -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,Zwingend erforderlich: +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,Anlage beseitigen +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,Zwingend erforderlich: ,User Permissions Manager,Benutzerrechte-Manager DocType: Property Setter,New value to be set,Neuer Wert muss gesetzt werden DocType: Email Alert,Days Before or After,Tage vorher oder nachher @@ -2121,14 +2134,14 @@ apps/frappe/frappe/model/base_document.py +428,Value missing for,Wert fehlt für apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,Unterpunkt hinzufügen apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: Übertragener Datensatz kann nicht gelöscht werden. apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,Sicherungsgröße -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,neuer Dokumententyp +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,neuer Dokumententyp DocType: Custom DocPerm,Read,Lesen DocType: Role Permission for Page and Report,Role Permission for Page and Report,Rollengenehmigung Seite und Bericht apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,Wert ausrichten apps/frappe/frappe/www/update-password.html +14,Old Password,Altes Passwort apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},Beiträge von {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.","Um Spalten zu formatieren, geben Sie die Spaltenbeschriftungen in der Abfrage ein." -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,Sie haben noch kein Konto? Konto erstellen +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,Sie haben noch kein Konto? Konto erstellen apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,"{0}: Kann nicht als ""als geändert markieren"" eingestellt werden, wenn nicht übertragbar" apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,Rollenberechtigungen bearbeiten DocType: Communication,Link DocType,Link DocType @@ -2142,7 +2155,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,Untertabell apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,"Die Seite, die Sie suchen fehlt. Dies könnte sein, weil es bewegt wird, oder es ist ein Tippfehler in der Verbindung." apps/frappe/frappe/www/404.html +13,Error Code: {0},Fehlercode: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)","Beschreibung für die Auflistungsseite, in Reintext, nur ein paar Zeilen (max. 140 Zeichen)." -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,Benutzereinschränkung hinzufügen +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,Benutzereinschränkung hinzufügen DocType: DocType,Name Case,Fall benennen apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,Für alle freigegeben apps/frappe/frappe/model/base_document.py +423,Data missing in table,In der Tabelle fehlen Daten @@ -2166,7 +2179,7 @@ apps/frappe/frappe/public/js/frappe/roles_editor.js +28,Add all roles,Alle Rolle apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your email and message so that we \ can get back to you. Thanks!","Bitte sowohl die E-Mail-Adresse als auch die Nachricht eingeben, damit wir antworten können. Danke!" apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,Konnte keine Verbindung zum Postausgangsserver herstellen -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,Vielen Dank für Ihr Interesse an einem Abonnement unserer Aktualisierungen +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,Vielen Dank für Ihr Interesse an einem Abonnement unserer Aktualisierungen apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,benutzerdefinierte Spalte DocType: Workflow State,resize-full,anpassen-voll DocType: Workflow State,off,aus @@ -2184,10 +2197,10 @@ DocType: OAuth Bearer Token,Expires In,Läuft ab in DocType: DocField,Allow on Submit,Beim Übertragen zulassen DocType: DocField,HTML,HTML DocType: Error Snapshot,Exception Type,Ausnahmetyp -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,Spalten auswählen +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,Spalten auswählen DocType: Web Page,Add code as <script>,"Code als ""script"" hinzufügen" apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +7,Select Type,Typ auswählen -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +24,Please enter values for App Access Key and App Secret Key,Bitte geben Sie die Werte für App Access Key und App Secret Key +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +26,Please enter values for App Access Key and App Secret Key,Bitte geben Sie die Werte für App Access Key und App Secret Key DocType: Web Form,Accept Payment,Zahlung akzeptieren apps/frappe/frappe/config/core.py +62,A log of request errors,Ein Protokoll der Anfragefehler DocType: Report,Letter Head,Briefkopf @@ -2217,11 +2230,11 @@ apps/frappe/frappe/public/js/frappe/request.js +111,Please try again,Bitte versu apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 3,Option 3 DocType: Unhandled Email,uid,uid DocType: Workflow State,Edit,Bearbeiten -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Permissions can be managed via Setup > Role Permissions Manager,Berechtigungen können über Setup > Rollenberechtigungs-Manager verwaltet werden +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +226,Permissions can be managed via Setup > Role Permissions Manager,Berechtigungen können über Setup > Rollenberechtigungs-Manager verwaltet werden DocType: Contact Us Settings,Pincode,Postleitzahl (PLZ) apps/frappe/frappe/core/page/data_import_tool/importer.py +81,Please make sure that there are no empty columns in the file.,"Bitte sicher stellen, dass es keine leeren Spalten in der Datei gibt." apps/frappe/frappe/utils/oauth.py +232,Please ensure that your profile has an email address,"Bitte stellen Sie sicher, dass Ihr Profil eine E-Mail-Adresse hat" -apps/frappe/frappe/public/js/frappe/model/create_new.js +282,You have unsaved changes in this form. Please save before you continue.,"Sie haben noch nicht gespeicherte Änderungen in diesem Formular. Bitte speichern Sie diese, bevor Sie fortfahren." +apps/frappe/frappe/public/js/frappe/model/create_new.js +286,You have unsaved changes in this form. Please save before you continue.,"Sie haben noch nicht gespeicherte Änderungen in diesem Formular. Bitte speichern Sie diese, bevor Sie fortfahren." apps/frappe/frappe/core/doctype/doctype/doctype.py +439,Default for {0} must be an option,Standard für {0} muss eine Auswahlmöglichkeit sein DocType: Tag Doc Category,Tag Doc Category,Tag Doc Kategorie DocType: User,User Image,Bild des Benutzers @@ -2229,10 +2242,10 @@ apps/frappe/frappe/email/queue.py +286,Emails are muted,E-Mails sind stumm gesch apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Up,Strg + Auf DocType: Website Theme,Heading Style,Gestaltung der Überschrift apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +183,A new Project with this name will be created,Ein neues Projekt mit diesem Namen wird erstellt -apps/frappe/frappe/utils/data.py +527,1 weeks ago,Vor 1 Wochen +apps/frappe/frappe/utils/data.py +528,1 weeks ago,vor 1 Woche apps/frappe/frappe/desk/page/applications/applications.py +75,You cannot install this app,Sie können diese App nicht installieren DocType: Communication,Error,Fehler -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +89,Do not send Emails.,Keine E-Mails senden. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +99,Do not send Emails.,Keine E-Mails senden. DocType: DocField,Column Break,Spaltenumbruch DocType: Event,Thursday,Donnerstag apps/frappe/frappe/utils/response.py +143,You don't have permission to access this file,Keine Berechtigung für den Zugriff auf diese Datei vorhanden @@ -2276,25 +2289,23 @@ apps/frappe/frappe/config/desk.py +38,Private and public Notes.,Private und öff DocType: DocField,Datetime,Datum und Uhrzeit apps/frappe/frappe/templates/includes/login/login.js +174,Not a valid user,Kein gültiger Benutzer DocType: Workflow State,arrow-right,Pfeil-nach-rechts -apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} Jahr (e) vor DocType: Workflow State,Workflow state represents the current state of a document.,Workflow-Zustand stellt den aktuellen Status eines Dokuments dar. apps/frappe/frappe/utils/oauth.py +221,Token is missing,Token fehlt apps/frappe/frappe/utils/file_manager.py +269,Removed {0},{0} entfernt DocType: Company History,Highlight,Hervorheben DocType: OAuth Provider Settings,Force,Kraft DocType: DocField,Fold,Falz -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +656,Ascending,Aufsteigend +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Ascending,Aufsteigend apps/frappe/frappe/printing/doctype/print_format/print_format.py +19,Standard Print Format cannot be updated,Standard-Druckformat kann nicht aktualisiert werden apps/frappe/frappe/public/js/frappe/model/model.js +537,Please specify,Bitte angeben DocType: Communication,Bot,Bot DocType: Help Article,Help Article,Hilfe Artikel DocType: Page,Page Name,Seitenname -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +202,Help: Field Properties,Hilfe: Feldeigenschaften -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +134,Importing...,Importieren ... +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +203,Help: Field Properties,Hilfe: Feldeigenschaften +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +137,Importing...,Importieren ... apps/frappe/frappe/core/doctype/file/file.js +27,Unzip,Dekomprimieren apps/frappe/frappe/model/document.py +923,Incorrect value in row {0}: {1} must be {2} {3},Falscher Wert in Zeile {0}: {1} muss {2} {3} sein apps/frappe/frappe/workflow/doctype/workflow/workflow.py +67,Submitted Document cannot be converted back to draft. Transition row {0},Buchung kann nicht in Entwurf umgewandelt werden. Zeile {0} -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Setup> Benutzer apps/frappe/frappe/desk/reportview.py +217,Deleting {0},Löschen {0} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start.html +2,Select an existing format to edit or start a new format.,Vorhandenes Format zum Bearbeiten wählen oder neues Format erstellen. apps/frappe/frappe/workflow/doctype/workflow/workflow.py +38,Created Custom Field {0} in {1},benutzerdefiniertes Feld {0} in {1} erstellt @@ -2312,12 +2323,12 @@ DocType: OAuth Provider Settings,Auto,Auto DocType: Workflow State,question-sign,Fragezeichen DocType: Email Account,Add Signature,Signatur hinzufügen apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +38,Left this conversation,Hat diese Unterhaltung verlassen -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +479,Did not set,Wurde nicht übernommen +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Did not set,Wurde nicht übernommen ,Background Jobs,Hintergrundjobs DocType: ToDo,ToDo,Aufgabe DocType: DocField,No Copy,Keine Kopie DocType: Workflow State,qrcode,QR-Code -apps/frappe/frappe/www/login.html +29,Login with LDAP,Einloggen mit LDAP +apps/frappe/frappe/www/login.html +34,Login with LDAP,Einloggen mit LDAP DocType: Web Form,Breadcrumbs,Breadcrumbs apps/frappe/frappe/core/doctype/doctype/doctype.py +637,If Owner,Wenn Inhaber DocType: OAuth Authorization Code,Expiration time,Ablaufzeit @@ -2326,7 +2337,7 @@ DocType: Web Form,Show Sidebar,anzeigen Sidebar apps/frappe/frappe/website/doctype/web_form/web_form.py +128,You need to be logged in to access this {0}.,"Sie müssen angemeldet sein, um auf {0} zugreifen zu können." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +142,Complete By,Fertigstellen bis apps/frappe/frappe/templates/includes/comments/comments.py +48,{0} by {1},{0} von {1} -apps/frappe/frappe/utils/password_strength.py +169,All-uppercase is almost as easy to guess as all-lowercase.,Ausschließlich Großbuchstaben sind fast so einfach zu erraten wie ausschließlich Kleinbuchstaben. +apps/frappe/frappe/utils/password_strength.py +171,All-uppercase is almost as easy to guess as all-lowercase.,Ausschließlich Großbuchstaben sind fast so einfach zu erraten wie ausschließlich Kleinbuchstaben. DocType: Feedback Trigger,Email Fieldname,E-Mail-Feldname DocType: Website Settings,Top Bar Items,Kopfleistensymbole apps/frappe/frappe/email/doctype/email_account/email_account.py +53,"Email id must be unique, Email Account is already exist \ @@ -2336,19 +2347,17 @@ DocType: Page,Yes,Ja DocType: DocType,Max Attachments,Maximale Anzahl an Anhängen DocType: Desktop Icon,Page,Seite apps/frappe/frappe/utils/bot.py +145,Could not find {0} in {1},{0} konnte in {1} nicht gefunden werden -apps/frappe/frappe/utils/password_strength.py +161,Names and surnames by themselves are easy to guess.,Namen und Vornamen von ihnen selbst sind leicht zu erraten. +apps/frappe/frappe/utils/password_strength.py +163,Names and surnames by themselves are easy to guess.,Namen und Vornamen von ihnen selbst sind leicht zu erraten. apps/frappe/frappe/config/website.py +93,Knowledge Base,Wissensbasis DocType: Workflow State,briefcase,Aktenkoffer apps/frappe/frappe/model/base_document.py +561,Value cannot be changed for {0},Wert kann für {0} nicht geändert werden -apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ - Please enter a valid email address so that we can get back.","Sie scheinen anstatt Ihrer E-Mail-Addresse Ihren Namen geschrieben zu haben. Bitte geben Sie eine gültige E-Mail-Adresse an, damit es weiter geht." DocType: Feedback Request,Is Manual,ist Handbuch DocType: Workflow State,"Style represents the button color: Success - Green, Danger - Red, Inverse - Black, Primary - Dark Blue, Info - Light Blue, Warning - Orange","Stil stellt die Farbe der Schaltfläche dar: Erfolg - Grün, Gefahr - Rot, Kehrwert - Schwarz, Primär - Dunkelblau, Info - Hellblau, Warnung - Orange" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +158,No Report Loaded. Please use query-report/[Report Name] to run a report.,"Kein Bericht geladen. Bitte Reportabfrage query-report/[Report Name] benutzen, um einen Bericht auszuführen." DocType: Workflow Transition,Workflow Transition,Workflow-Übergang apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +53,{0} months ago,vor {0} Monate(n) apps/frappe/frappe/public/js/frappe/model/model.js +18,Created By,Erstellt von -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +92,Dropbox Setup,Dropbox-Setup +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +90,Dropbox Setup,Dropbox-Setup DocType: Workflow State,resize-horizontal,anpassen-horizontal DocType: Note,Content,Inhalt apps/frappe/frappe/public/js/frappe/views/treeview.js +261,Group Node,Gruppen-Knoten @@ -2356,6 +2365,7 @@ DocType: Communication,Notification,Mitteilung DocType: Web Form,Go to this url after completing the form.,Nach dem Ausfüllen des Formulars zu dieser URL gehen. DocType: DocType,Document,Dokument apps/frappe/frappe/core/doctype/doctype/doctype.py +186,Series {0} already used in {1},Serie {0} bereits verwendet in {1} +apps/frappe/frappe/core/page/data_import_tool/importer.py +225,Unsupported File Format,Nicht unterstütztes Dateiformat DocType: DocField,Code,Code DocType: Workflow,"All possible Workflow States and roles of the workflow. Docstatus Options: 0 is""Saved"", 1 is ""Submitted"" and 2 is ""Cancelled""","Alle möglichen Zustände und Rollen des Workflows. Dokumentenstatus-Optionen sind: 0 ist ""Gespeichert"", 1 ist ""Übertragen"" und 2 ist ""Abgebrochen""" DocType: Website Theme,Footer Text Color,Textfarbe der Fußzeile @@ -2380,17 +2390,17 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +45,just now,gerade eben DocType: Footer Item,Policy,Politik apps/frappe/frappe/integrations/utils.py +76,{0} Settings not found,{0} Einstellungen nicht gefunden DocType: Module Def,Module Def,Modul-Def -apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,Done,erledigt apps/frappe/frappe/core/doctype/communication/communication.js +61,Reply,Antworten apps/frappe/frappe/config/core.py +22,Pages in Desk (place holders),Seiten auf dem Tisch (Platzhalter) DocType: DocField,Collapsible Depends On,"""Faltbar"" hängt ab von" DocType: Print Settings,Allow page break inside tables,Lassen Sie Seitenumbruch innerhalb von Tabellen DocType: Email Account,SMTP Server,SMTP-Server DocType: Print Format,Print Format Help,Hilfe zu Druckformaten +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +63,Update the template and save in downloaded format before attaching.,Aktualisieren Sie die Vorlage und speichern Sie im heruntergeladenen Format vor dem Anhängen. apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +852,With Groups,Mit Gruppen DocType: DocType,Beta,Beta apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +22,restored {0} as {1},restauriert {0} als {1} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Wenn aktualisiert wird, bitte ""Überschreiben"" wählen, sonst werden vorhandene Zeilen nicht gelöscht." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +71,"If you are updating, please select ""Overwrite"" else existing rows will not be deleted.","Wenn aktualisiert wird, bitte ""Überschreiben"" wählen, sonst werden vorhandene Zeilen nicht gelöscht." DocType: Event,Every Month,Monatlich DocType: Letter Head,Letter Head in HTML,Briefkopf in HTML DocType: Web Form,Web Form,Web-Formular @@ -2413,14 +2423,14 @@ apps/frappe/frappe/public/js/frappe/socketio_client.js +51,Progress,Fortschritt apps/frappe/frappe/public/js/frappe/form/workflow.js +32, by Role ,durch Rolle apps/frappe/frappe/public/js/frappe/form/save.js +148,Missing Fields,fehlende Felder apps/frappe/frappe/core/doctype/doctype/doctype.py +176,Invalid fieldname '{0}' in autoname,Ungültige Feldname '{0}' in auton -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Search in a document type,Suche in einem Dokumenttyp -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +257,Allow field to remain editable even after submission,"Auch nach dem Übertragen zulassen, dass das Feld bearbeitbar bleibt" +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,Search in a document type,Suche in einem Dokumenttyp +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +258,Allow field to remain editable even after submission,"Auch nach dem Übertragen zulassen, dass das Feld bearbeitbar bleibt" DocType: Custom DocPerm,Role and Level,Rolle und Ebene DocType: File,Thumbnail URL,Thumbnail-URL apps/frappe/frappe/desk/moduleview.py +37,Custom Reports,Benutzerdefinierte Berichte DocType: Website Script,Website Script,Webseiten-Skript apps/frappe/frappe/config/setup.py +182,Customized HTML Templates for printing transactions.,Benutzerdefinierte HTML-Vorlagen für Drucktransaktionen -apps/frappe/frappe/public/js/frappe/form/print.js +247,Orientation,Orientierung +apps/frappe/frappe/public/js/frappe/form/print.js +250,Orientation,Orientierung DocType: Workflow,Is Active,Ist aktiv(iert) apps/frappe/frappe/desk/form/utils.py +91,No further records,Keine weiteren Datensätze DocType: DocField,Long Text,Langer Text @@ -2444,7 +2454,6 @@ apps/frappe/frappe/templates/includes/contact.js +30,Thank you for your message, apps/frappe/frappe/public/js/frappe/views/communication.js +68,Send Read Receipt,Senden Lesebestätigung DocType: Stripe Settings,Stripe Settings,Stripe-Einstellungen DocType: Dropbox Settings,Dropbox Setup via Site Config,Dropbox-Setup via Site Config -apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Keine Standard-Adressvorlage gefunden. Bitte erstellen Sie eine neue aus Setup> Drucken und Branding> Adressvorlage. apps/frappe/frappe/www/login.py +64,Invalid Login Token,Invalid Login Token apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +48,1 hour ago,vor 1 Stunde DocType: Social Login Keys,Frappe Client ID,Frappe Client-ID @@ -2476,7 +2485,7 @@ DocType: Address Template,"

    Default Template

    {% if email_id%} E-Mail: {{email_id}} & lt; br & gt ; {% endif -%} " DocType: Role,Role Name,Rollenname -apps/frappe/frappe/website/js/website.js +379,Switch To Desk,Switch To Desk +apps/frappe/frappe/website/js/website.js +376,Switch To Desk,Switch To Desk apps/frappe/frappe/config/core.py +27,Script or Query reports,Script oder Abfrage-Berichte DocType: Workflow Document State,Workflow Document State,Workflow-Dokumentenstatus apps/frappe/frappe/public/js/frappe/request.js +115,File too big,Datei zu groß @@ -2484,19 +2493,19 @@ apps/frappe/frappe/core/doctype/user/user.py +478,Email Account added multiple t DocType: Payment Gateway,Payment Gateway,Zahlungs-Gateways apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +32,"To give acess to a role for only specific records, check the Apply User Permissions. User Permissions are used to limit users with such role to specific records.","Um einer Rolle Zugriff nur auf bestimmte Datensätze zu geben, bitte ""Nutzerberechtigungen aktivieren"" anklicken. Benutzerrechte werden verwendet, um Benutzer mit einer solchen Rolle auf bestimmte Datensätze zu beschränken." DocType: Portal Settings,Hide Standard Menu,Standardmenü ausblenden -apps/frappe/frappe/config/setup.py +145,Add / Manage Email Domains.,Hinzufügen / Verwalten Email Domains. +apps/frappe/frappe/config/setup.py +145,Add / Manage Email Domains.,Hinzufügen / Verwalten von Email Domains. apps/frappe/frappe/workflow/doctype/workflow/workflow.py +70,Cannot cancel before submitting. See Transition {0},Stornierung vor Übertragen nicht möglich. Vorgang {0} beachten apps/frappe/frappe/www/printview.py +205,Print Format {0} is disabled,Druckformat {0} ist deaktiviert DocType: Email Alert,Send days before or after the reference date,Tage vor oder nach dem Stichtag senden DocType: User,Allow user to login only after this hour (0-24),"Benutzer erlauben, sich erst nach dieser Stunde anzumelden (0-24)" -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Value,Wert -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +166,Click here to verify,Hier klicken um die Richtigkeit zu bestätigen -apps/frappe/frappe/utils/password_strength.py +172,Predictable substitutions like '@' instead of 'a' don't help very much.,Vorhersehbare Substitutionen wie '@' anstelle von 'a' helfen nicht sehr viel. +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Value,Wert +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +165,Click here to verify,Hier klicken um die Richtigkeit zu bestätigen +apps/frappe/frappe/utils/password_strength.py +174,Predictable substitutions like '@' instead of 'a' don't help very much.,Vorhersehbare Substitutionen wie '@' anstelle von 'a' helfen nicht sehr viel. apps/frappe/frappe/desk/doctype/todo/todo_list.js +22,Assigned By Me,Von mir zugewiesen apps/frappe/frappe/core/doctype/doctype/doctype.py +80,Not in Developer Mode! Set in site_config.json or make 'Custom' DocType.,"Nicht im Entwicklungsmodus! In site_config.json erstellen oder ""Benutzerdefiniertes"" DocType erstellen." DocType: Workflow State,globe,Globus DocType: System Settings,dd.mm.yyyy,TT.MM.JJJJ -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +249,Hide field in Standard Print Format,Feld im Standard-Druckformat ausblenden +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +250,Hide field in Standard Print Format,Feld im Standard-Druckformat ausblenden DocType: ToDo,Priority,Priorität DocType: Email Queue,Unsubscribe Param,Abmelden Param DocType: Auto Email Report,Weekly,Wöchentlich @@ -2509,10 +2518,10 @@ DocType: Contact,Purchase Master Manager,Einkaufsstammdaten-Manager DocType: Module Def,Module Name,Modulname DocType: DocType,DocType is a Table / Form in the application.,DocType ist eine Tabelle oder ein Formular in der Anwendung. DocType: Email Account,GMail,GMail -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,{0} Report,{0} Bericht(e) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +111,{0} Report,{0} Bericht(e) DocType: Communication,SMS,SMS DocType: DocType,Web View,Webansicht -apps/frappe/frappe/public/js/frappe/form/print.js +166,Warning: This Print Format is in old style and cannot be generated via the API.,WARNUNG: Dieses Druckformat ist im alten Stil und kann nicht über die API generiert werden. +apps/frappe/frappe/public/js/frappe/form/print.js +169,Warning: This Print Format is in old style and cannot be generated via the API.,WARNUNG: Dieses Druckformat ist im alten Stil und kann nicht über die API generiert werden. DocType: DocField,Print Width,Druckbreite ,Setup Wizard,Setup-Assistent DocType: User,Allow user to login only before this hour (0-24),Benutzer darf sich nur vor dieser Stunde anmelden (0-24) @@ -2544,14 +2553,14 @@ apps/frappe/frappe/utils/csvutils.py +35,Invalid CSV Format,Ungültige CSV-Forma DocType: Address,Name of person or organization that this address belongs to.,"Name der Person oder des Unternehmens, zu dem diese Adresse gehört." apps/frappe/frappe/desk/page/backups/backups.js +8,Set Number of Backups,Anzahl der Backups einstellen DocType: DocField,Do not allow user to change after set the first time,nach dem ersten Setzen dem Benutzer nicht erlauben eine Änderung vorzunehmen -apps/frappe/frappe/public/js/frappe/upload.js +247,Private or Public?,Privat oder öffentlich? -apps/frappe/frappe/utils/data.py +535,1 year ago,vor 1 Jahr +apps/frappe/frappe/public/js/frappe/upload.js +251,Private or Public?,Privat oder öffentlich? +apps/frappe/frappe/utils/data.py +536,1 year ago,vor 1 Jahr DocType: Contact,Contact,Kontakt DocType: User,Third Party Authentication,Drittpartei-Authentifizierung DocType: Website Settings,Banner is above the Top Menu Bar.,Banner über der oberen Menüleiste. DocType: Razorpay Settings,API Secret,API Geheimnis -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +726,Export Report: ,Export-Report: -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +672,{0} {1} does not exist,{0} {1} existiert nicht +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +853,Export Report: ,Export-Report: +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +674,{0} {1} does not exist,{0} {1} existiert nicht DocType: Email Account,Port,Anschluss DocType: Print Format,Arial,Arial apps/frappe/frappe/config/core.py +12,Models (building blocks) of the Application,Modelle (Bausteine) der Anwendung @@ -2583,9 +2592,9 @@ DocType: DocField,Display Depends On,Anzeige ist abhängig von DocType: Web Page,Insert Code,Code einfügen DocType: ToDo,Low,Niedrig apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +697,You can add dynamic properties from the document by using Jinja templating.,Sie können dynamische Eigenschaften aus dem Dokument mit Hilfe von Jinja Templating hinzufügen. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +134,List a document type,Einen Dokumenttyp auflisten +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,List a document type,Einen Dokumenttyp auflisten DocType: Event,Ref Type,Ref-Typ -apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,"If you are uploading new records, leave the ""name"" (ID) column blank.","Wenn neue Datensätze hochgeladen werden, bitte die Spalte ""Bezeichnung"" (ID) leer lassen." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, leave the ""name"" (ID) column blank.","Wenn neue Datensätze hochgeladen werden, bitte die Spalte ""Bezeichnung"" (ID) leer lassen." apps/frappe/frappe/config/core.py +47,Errors in Background Events,Fehler in Hintergrundprozessen apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +399,No of Columns,Anzahl der Spalten DocType: Workflow State,Calendar,Kalender @@ -2600,7 +2609,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +106,Unable to load: {0},{0} apps/frappe/frappe/config/integrations.py +28,Backup,Sicherungskopie apps/frappe/frappe/core/page/usage_info/usage_info.html +3,Expires in {0} days,Läuft in {0} Tage DocType: DocField,Read Only,Schreibgeschützt -apps/frappe/frappe/email/doctype/email_group/email_group.js +43,New Newsletter,Neuer Newsletter +apps/frappe/frappe/email/doctype/email_group/email_group.js +45,New Newsletter,Neuer Newsletter DocType: Print Settings,Send Print as PDF,Ausdruck als PDF senden DocType: Web Form,Amount,Betrag DocType: Workflow Transition,Allowed,Erlaubt @@ -2614,14 +2623,14 @@ apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +170,Reset Filt apps/frappe/frappe/core/doctype/doctype/doctype.py +654,{0}: Permission at level 0 must be set before higher levels are set,{0} : Die Erlaubnis für Ebene 0 muss gesetzt werden bevor höhere Ebenen eingestellt werden können apps/frappe/frappe/desk/doctype/todo/todo.py +28,Assignment closed by {0},Zuordnung geschlossen von {0} DocType: Integration Request,Remote,entfernt -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +140,Calculate,Berechnen +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Calculate,Berechnen apps/frappe/frappe/printing/doctype/print_format/print_format.js +28,Please select DocType first,Bitte zuerst DocType auswählen -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +174,Confirm Your Email,Email-Adresse bestätigen -apps/frappe/frappe/www/login.html +37,Or login with,Oder melden Sie sich an mit +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +173,Confirm Your Email,Email-Adresse bestätigen +apps/frappe/frappe/www/login.html +42,Or login with,Oder melden Sie sich an mit DocType: Error Snapshot,Locals,Einheimische apps/frappe/frappe/desk/page/activity/activity_row.html +19,Communicated via {0} on {1}: {2},Kommuniziert über {0} um {1}: {2} apps/frappe/frappe/core/doctype/communication/comment.py +85,{0} mentioned you in a comment in {1},{0} erwähnte Sie in einem Kommentar in {1} -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,z. B. (55 + 434) / 4 oder =Math.sin(Math.PI/2)... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,e.g. (55 + 434) / 4 or =Math.sin(Math.PI/2)...,z. B. (55 + 434) / 4 oder =Math.sin(Math.PI/2)... apps/frappe/frappe/model/naming.py +45,{0} is required,{0} erforderlich DocType: Integration Request,Integration Type,Integration Typ DocType: Newsletter,Send Attachements,senden Attachements @@ -2633,10 +2642,11 @@ DocType: Web Page,Web Page,Webseite DocType: Blog Category,Blogger,Blogger apps/frappe/frappe/core/doctype/doctype/doctype.py +425,'In Global Search' not allowed for type {0} in row {1},'In Globaler Suche' nicht zulässig für Typ {0} in Zeile {1} apps/frappe/frappe/public/js/frappe/views/treeview.js +297,View List,Liste anzeigen -apps/frappe/frappe/public/js/frappe/form/control.js +685,Date must be in format: {0},Datum muss in folgendem Format vorliegen: {0} +apps/frappe/frappe/public/js/frappe/form/control.js +686,Date must be in format: {0},Datum muss in folgendem Format vorliegen: {0} DocType: Workflow,Don't Override Status,Überschreiben Sie nicht-Status apps/frappe/frappe/www/feedback.html +90,Please give a rating.,Bitte geben Sie eine Bewertung. apps/frappe/frappe/public/js/frappe/feedback.js +47,{0} Feedback Request,{0} Feedback-Anfrage +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +26,Search term,Suchbegriff apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +548,The First User: You,Der erste Benutzer: Sie selbst! apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +32,Select Columns,Spalten auswählen DocType: Translation,Source Text,Quellentext @@ -2648,15 +2658,15 @@ apps/frappe/frappe/config/website.py +37,Single Post (article).,Einzelne Einträ apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +10,Reports,Berichte DocType: Page,No,Nein DocType: Property Setter,Set Value,Wert festlegen -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +245,Hide field in form,Feld in Formular ausblenden -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +93,Illegal Access Token. Please try again,Illegal Access-Token. Bitte versuche es erneut +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +246,Hide field in form,Feld in Formular ausblenden +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +91,Illegal Access Token. Please try again,Illegal Access-Token. Bitte versuche es erneut apps/frappe/frappe/public/js/frappe/desk.js +93,"The application has been updated to a new version, please refresh this page","Die Anwendung wurde auf eine neue Version aktualisiert, bitte aktualisieren Sie diese Seite" apps/frappe/frappe/core/doctype/communication/communication.js +35,Resend,Erneut senden DocType: Feedback Trigger,Optional: The alert will be sent if this expression is true,"Optional: Der Alarm wird gesendet, wenn dieser Ausdruck wahr ist" DocType: Print Settings,Print with letterhead,Drucken mit Briefpapier DocType: Unhandled Email,Raw Email,Raw E-Mail apps/frappe/frappe/public/js/frappe/list/list_view.js +665,Select records for assignment,Datensätze für die Zuordnung auswählen -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +135,Importing,Importieren +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +138,Importing,Importieren DocType: ToDo,Assigned By,Zugewiesen von apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +27,You can use Customize Form to set levels on fields.,"Sie können ""Formular anpassen"" verwenden, um Ebenen auf Feldern zu setzen ." DocType: Custom DocPerm,Level,Ebene @@ -2688,7 +2698,7 @@ apps/frappe/frappe/core/doctype/user/user.py +229,Password Reset,Passwort zurüc DocType: Communication,Opened,Geöffnet DocType: Workflow State,chevron-left,Winkel nach links DocType: Communication,Sending,Versand -apps/frappe/frappe/auth.py +228,Not allowed from this IP Address,Zugriff nicht von dieser IP- Adresse erlaubt +apps/frappe/frappe/auth.py +231,Not allowed from this IP Address,Zugriff nicht von dieser IP- Adresse erlaubt DocType: Website Slideshow,This goes above the slideshow.,Dies erscheint oberhalb der Diaschau. apps/frappe/frappe/config/setup.py +254,Install Applications.,Anwendungen installieren DocType: User,Last Name,Familienname @@ -2703,7 +2713,6 @@ DocType: Address,State,Status DocType: Workflow Action,Workflow Action,Workflow-Aktion DocType: DocType,"Image Field (Must of type ""Attach Image"")",Bildfeld (muss vom Typ „Attach Bild“) apps/frappe/frappe/utils/bot.py +43,I found these: ,Ich fand diese: -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +692,Set Sort,Set Sort DocType: Event,Send an email reminder in the morning,Morgens eine Erinnerungemail senden DocType: Blog Post,Published On,Veröffentlicht am DocType: User,Gender,Geschlecht @@ -2721,13 +2730,15 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +30 DocType: Workflow State,warning-sign,Warnschild DocType: Workflow State,User,Benutzer DocType: Website Settings,"Show title in browser window as ""Prefix - title""","Diesen Eintrag im Browser-Fenster als ""Präfix - Titel"" anzeigen" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,text in document type,Text in Dokumententyp +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,text in document type,Text in Dokumententyp apps/frappe/frappe/handler.py +91,Logged Out,Abgemeldet -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +236,More...,Mehr... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +237,More...,Mehr... +DocType: System Settings,User can login using Email id or Mobile number,Benutzer können sich mit Email-ID oder Mobilnummer anmelden DocType: Bulk Update,Update Value,Wert aktualisieren apps/frappe/frappe/core/doctype/communication/communication.js +73,Mark as {0},Mark als {0} apps/frappe/frappe/model/rename_doc.py +25,Please select a new name to rename,Bitte wählen Sie einen neuen Namen umbenennen apps/frappe/frappe/public/js/frappe/request.js +136,Something went wrong,Etwas ist schief gelaufen +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +186,Only {0} entries shown. Please filter for more specific results.,Nur {0} Einträge angezeigt. Bitte filtern Sie für genauere Ergebnisse. DocType: System Settings,Number Format,Zahlenformat DocType: Auto Email Report,Frequency,Frequenz DocType: Custom Field,Insert After,Einfügen nach @@ -2742,8 +2753,9 @@ DocType: Workflow State,cog,cog apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +89,Sync on Migrate,Sync auf Migrate apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +64,Currently Viewing,Gerade in Betrachtung DocType: DocField,Default,Standard -apps/frappe/frappe/public/js/frappe/form/link_selector.js +140,{0} added,{0} hinzugefügt -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +133,Please save the report first,Bitte speichern Sie den Bericht zuerst +apps/frappe/frappe/public/js/frappe/form/link_selector.js +143,{0} added,{0} hinzugefügt +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +209,Search for '{0}',Suche nach '{0}' +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +134,Please save the report first,Bitte speichern Sie den Bericht zuerst apps/frappe/frappe/email/doctype/email_group/email_group.py +42,{0} subscribers added,{0} Empfänger hinzugefügt apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +9,Not In,Nicht in DocType: Workflow State,star,Stern @@ -2762,7 +2774,7 @@ DocType: Address,Office,Büro apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +187,This Kanban Board will be private,Dieser Kanbantafel wird privat apps/frappe/frappe/desk/moduleview.py +73,Standard Reports,Standardberichte DocType: User,Email Settings,E-Mail-Einstellungen -apps/frappe/frappe/public/js/frappe/desk.js +345,Please Enter Your Password to Continue,"Bitte geben Sie Ihr Passwort ein, um fortzufahren" +apps/frappe/frappe/public/js/frappe/desk.js +347,Please Enter Your Password to Continue,"Bitte geben Sie Ihr Passwort ein, um fortzufahren" apps/frappe/frappe/integrations/doctype/ldap_settings/ldap_settings.py +99,Not a valid LDAP user,Keine gültige LDAP-Benutzer apps/frappe/frappe/workflow/doctype/workflow/workflow.py +57,{0} not a valid State,{0} kein gültiger Zustand apps/frappe/frappe/integrations/doctype/paypal_settings/paypal_settings.py +90,Please select another payment method. PayPal does not support transactions in currency '{0}',Bitte wählen Sie eine andere Zahlungsmethode. PayPal bietet keine Unterstützung für Transaktionen in der Währung ‚{0}‘ @@ -2783,7 +2795,7 @@ DocType: DocField,Unique,Einzigartig apps/frappe/frappe/public/js/frappe/form/quick_entry.js +97,Ctrl+enter to save,Strg + Eingabe zum Speichern DocType: Email Account,Service,Service DocType: File,File Name,Dateiname -apps/frappe/frappe/core/page/data_import_tool/importer.py +349,Did not find {0} for {0} ({1}),{0} wurde nicht für {0} ({1}) gefunden +apps/frappe/frappe/core/page/data_import_tool/importer.py +365,Did not find {0} for {0} ({1}),{0} wurde nicht für {0} ({1}) gefunden apps/frappe/frappe/utils/bot.py +176,"Oops, you are not allowed to know that","Hoppla, dass dürften Sie garnicht wissen" apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +17,Next,Weiter apps/frappe/frappe/config/setup.py +39,Set Permissions per User,Berechtigungen pro Benutzer festlegen @@ -2792,9 +2804,9 @@ apps/frappe/frappe/printing/doctype/print_format/print_format.js +26,Edit Format apps/frappe/frappe/core/doctype/user/user.py +245,Complete Registration,Anmeldung abschliessen apps/frappe/frappe/public/js/frappe/form/toolbar.js +189,New {0} (Ctrl+B),Neue(s) {0} (Strg + B) apps/frappe/frappe/website/doctype/website_theme/website_theme.py +40,Top Bar Color and Text Color are the same. They should be have good contrast to be readable.,"Farbe der Kopfleiste und Textfarbe sind gleich. Um lesbar zu sein, sollte ein guter Kontrast eingestellt sein." -apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,You can only upload upto 5000 records in one go. (may be less in some cases),Sie können nur bis zu 5000 Datensätze auf einmal hochladen (in einigen Fällen weniger). +apps/frappe/frappe/core/page/data_import_tool/exporter.py +68,You can only upload upto 5000 records in one go. (may be less in some cases),Sie können nur bis zu 5000 Datensätze auf einmal hochladen (in einigen Fällen weniger). apps/frappe/frappe/model/document.py +159,Insufficient Permission for {0},Unzureichende Berechtigung für {0} -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +763,Report was not saved (there were errors),Bericht wurde nicht gespeichert (es gab Fehler) +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +764,Report was not saved (there were errors),Bericht wurde nicht gespeichert (es gab Fehler) apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +25,Numerically Ascending,numerisch aufsteigende DocType: Print Settings,Print Style,Druckstil apps/frappe/frappe/public/js/frappe/form/linked_with.js +51,Not Linked to any record,Nicht mit jedem Datensatz verknüpft @@ -2807,7 +2819,7 @@ apps/frappe/frappe/public/js/frappe/change_log.html +7,updated to {0},Aktualisie DocType: User,Desktop Background,Desktop-Hintergrund DocType: Portal Settings,Custom Menu Items,Artikel Benutzermenü DocType: Workflow State,chevron-right,Winkel nach rechts -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +214,"Change type of field. (Currently, Type change is \ +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +215,"Change type of field. (Currently, Type change is \ allowed among 'Currency and Float')","Typ des Feldes ändern. (Derzeit ist eine Änderung des Typs unter ""Währung und Float"" erlaubt)" apps/frappe/frappe/website/doctype/web_form/web_form.py +35,You need to be in developer mode to edit a Standard Web Form,"Sie müssen sich im Entwicklermodus befinden, um ein Standard-Webformular zu bearbeiten" apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +53,"For comparative filters, start with",Bei vergleichenden Filtern wie folgt beginnen @@ -2819,12 +2831,13 @@ DocType: Web Page,Header and Description,Kopf- und Beschreibung apps/frappe/frappe/templates/includes/login/login.js +21,Both login and password required,Login und Passwort sind beide erforderlich apps/frappe/frappe/model/document.py +540,Please refresh to get the latest document.,"Bitte aktualisieren, um das neueste Dokument zu erhalten." DocType: User,Security Settings,Sicherheitseinstellungen -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +855,Add Column,Spalte hinzufügen +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +856,Add Column,Spalte hinzufügen ,Desktop,Arbeitsoberfläche +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +727,Export Report: {0},Exportbericht: {0} DocType: Auto Email Report,Filter Meta,Filter Meta DocType: Web Form,Text to be displayed for Link to Web Page if this form has a web page. Link route will be automatically generated based on `page_name` and `parent_website_route`,"Text, der für die Verknüpfung zur Webseite angezeigt wird, wenn dieses Formular eine Webseite hat. Verknüpfungs-Pfad wird basierend auf ""page_name"" und ""parent_website_route"" automatisch generiert" DocType: Feedback Request,Feedback Trigger,Feedback-Trigger -apps/frappe/frappe/public/js/frappe/form/control.js +1594,Please set {0} first,Bitte zuerst {0} setzen +apps/frappe/frappe/public/js/frappe/form/control.js +1595,Please set {0} first,Bitte zuerst {0} setzen DocType: Unhandled Email,Message-id,Nachrichten ID DocType: Patch Log,Patch,Korrektur DocType: Async Task,Failed,Fehlgeschlagen diff --git a/frappe/translations/el.csv b/frappe/translations/el.csv index 17f888a21c..60f0b00109 100644 --- a/frappe/translations/el.csv +++ b/frappe/translations/el.csv @@ -1,5 +1,5 @@ apps/frappe/frappe/website/doctype/web_form/web_form.py +57,Please select a Amount Field.,Επιλέξτε ένα ποσό πεδίο. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +280,Press Esc to close,Πατήστε Esc για να κλείσετε +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +281,Press Esc to close,Πατήστε Esc για να κλείσετε apps/frappe/frappe/desk/form/assign_to.py +150,"A new task, {0}, has been assigned to you by {1}. {2}","Μια νέα εργασία, {0}, έχει ανατεθεί σε εσάς από {1}. {2}" DocType: Email Queue,Email Queue records.,αρχεία ηλεκτρονικού ταχυδρομείου ουρά. apps/frappe/frappe/desk/page/chat/chat_main.html +14,Post,Δημοσίευση @@ -48,7 +48,7 @@ apps/frappe/frappe/model/base_document.py +575,"{0}, Row {1}","{0}, Σειρά { apps/frappe/frappe/www/feedback.html +93,Please give a fullname.,Παρακαλώ δώστε ένα Ονοματεπώνυμο. apps/frappe/frappe/core/doctype/file/file_list.js +101,Error in uploading files.,Σφάλμα κατά την μεταφόρτωση αρχείων. apps/frappe/frappe/model/document.py +908,Beginning with,Ξεκινώντας με -apps/frappe/frappe/core/page/data_import_tool/exporter.py +51,Data Import Template,Πρότυπο εισαγωγής δεδομένων +apps/frappe/frappe/core/page/data_import_tool/exporter.py +52,Data Import Template,Πρότυπο εισαγωγής δεδομένων apps/frappe/frappe/public/js/frappe/model/model.js +31,Parent,Γονέας DocType: System Settings,"If enabled, the password strength will be enforced based on the Minimum Password Score value. A value of 2 being medium strong and 4 being very strong.","Αν είναι ενεργοποιημένη, η ισχύς του κωδικού θα επιβληθεί με βάση την τιμή του ελάχιστου αριθμού κωδικού πρόσβασης. Μια τιμή 2 είναι μέτρια ισχυρή και 4 είναι πολύ ισχυρή." DocType: About Us Settings,"""Team Members"" or ""Management""","""Μέλη ομάδας"" ή ""διαχείριση""" @@ -59,15 +59,15 @@ apps/frappe/frappe/public/js/frappe/views/test_runner.js +10,Test Runner,Δοκ DocType: Auto Email Report,Monthly,Μηνιαίος DocType: Email Account,Enable Incoming,Ενεργοποίηση εισερχομένων apps/frappe/frappe/core/doctype/version/version_view.html +47,Danger,Κίνδυνος -apps/frappe/frappe/www/login.html +19,Email Address,Διεύθυνση ηλεκτρονικού ταχυδρομείου +apps/frappe/frappe/www/login.html +22,Email Address,Διεύθυνση ηλεκτρονικού ταχυδρομείου DocType: Workflow State,th-large,Th-large DocType: Communication,Unread Notification Sent,Μη αναγνωσμένα γνωστοποίησης που της απέστειλε apps/frappe/frappe/public/js/frappe/misc/tools.js +8,Export not allowed. You need {0} role to export.,Η εξαγωγή δεν επιτρέπεται. Χρειάζεται ο ρόλος {0} για την εξαγωγή. DocType: DocType,Is Published Field,Δημοσιεύεται πεδίο DocType: Email Group,Email Group,email Ομάδα DocType: Note,Seen By,Θεάθηκε από -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Not Like,Όχι σαν -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +210,Set the display label for the field,Ρυθμίστε την ετικέτα που εμφανίζεται για το πεδίο +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Not Like,Όχι σαν +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +211,Set the display label for the field,Ρυθμίστε την ετικέτα που εμφανίζεται για το πεδίο apps/frappe/frappe/model/document.py +925,Incorrect value: {0} must be {1} {2},Λανθασμένη τιμή: το {0} πρέπει να είναι {1} {2} apps/frappe/frappe/config/setup.py +214,"Change field properties (hide, readonly, permission etc.)","Αλλαγή ιδιοτήτων πεδίου ( απόκρυψη , μόνο για ανάγνωση , την άδεια κλπ. )" apps/frappe/frappe/integrations/oauth2.py +109,Define Frappe Server URL in Social Login Keys,Ορίστε Φραπέ διακομιστή URL στο Είσοδος Κλειδιά Κοινωνική @@ -76,8 +76,8 @@ apps/frappe/frappe/config/website.py +78,Settings for Contact Us Page.,Ρυθμ apps/frappe/frappe/core/doctype/user/user.py +859,Administrator Logged In,Διαχειριστής Logged In DocType: Contact Us Settings,"Contact options, like ""Sales Query, Support Query"" etc each on a new line or separated by commas.","Επιλογές επικοινωνίας, όπως ""ερώτημα πωλήσεων, ερώτημα υποστήριξης"" κτλ το καθένα σε καινούρια γραμμή ή διαχωρισμένα με κόμματα." apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +30,2. Download,2. Λήψη -apps/frappe/frappe/public/js/frappe/form/control.js +1782,Insert,Εισαγωγή -apps/frappe/frappe/public/js/frappe/form/link_selector.js +20,Select {0},Επιλέξτε {0} +apps/frappe/frappe/public/js/frappe/form/control.js +1793,Insert,Εισαγωγή +apps/frappe/frappe/public/js/frappe/form/link_selector.js +22,Select {0},Επιλέξτε {0} DocType: Print Settings,Classic,Κλασικό DocType: Desktop Icon,Color,Χρώμα apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +54,For ranges,Για σειρές @@ -114,18 +114,18 @@ DocType: LDAP Settings,LDAP Search String,LDAP Αναζήτηση String DocType: Translation,Translation,Μετάφραση apps/frappe/frappe/desk/page/applications/application_row.html +18,Install,Εγκατάσταση DocType: Custom Script,Client,Πελάτης -apps/frappe/frappe/public/js/legacy/form.js +488,This form has been modified after you have loaded it,Αυτή η μορφή έχει αλλάξει μετά την έχετε φορτωμένο +apps/frappe/frappe/public/js/legacy/form.js +487,This form has been modified after you have loaded it,Αυτή η μορφή έχει αλλάξει μετά την έχετε φορτωμένο DocType: User Permission for Page and Report,User Permission for Page and Report,Άδεια χρήσης για Page και Έκθεση DocType: System Settings,"If not set, the currency precision will depend on number format","Εάν δεν έχει οριστεί, η ακρίβεια νομίσματος θα εξαρτηθεί από τη μορφή αριθμού" -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +211,Search for ',Ψάχνω για ' apps/frappe/frappe/config/website.py +27,Embed image slideshows in website pages.,Ενσωμάτωση slideshows εικόνας σε ιστοσελίδες. -apps/frappe/frappe/email/doctype/newsletter/newsletter.js +8,Send,Αποστολή +apps/frappe/frappe/email/doctype/newsletter/newsletter.js +9,Send,Αποστολή DocType: Workflow Action,Workflow Action Name,Όνομα ενέργειας ροής εργασιών apps/frappe/frappe/core/doctype/doctype/doctype.py +271,DocType can not be merged,Οι τύποι εγγράφου δεν μπορούν να συγχωνευθούν DocType: Web Form Field,Fieldtype,Τύπος πεδίου apps/frappe/frappe/core/doctype/file/file.py +245,Not a zip file,Δεν είναι ένα αρχείο zip +apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +54,> {0} year(s) ago,> {0} χρόνια πριν apps/frappe/frappe/public/js/frappe/form/save.js +138,"Mandatory fields required in table {0}, Row {1}","Υποχρεωτικά πεδία που απαιτούνται στον πίνακα {0}, Row {1}" -apps/frappe/frappe/utils/password_strength.py +167,Capitalization doesn't help very much.,Κεφαλαιοποίηση δεν βοηθά πολύ. +apps/frappe/frappe/utils/password_strength.py +169,Capitalization doesn't help very much.,Κεφαλαιοποίηση δεν βοηθά πολύ. DocType: Error Snapshot,Friendly Title,Φιλικό Τίτλος DocType: Newsletter,Email Sent?,Εστάλη μήνυμα email; DocType: Authentication Log,Authentication Log,Authentication Σύνδεση @@ -138,7 +138,7 @@ DocType: OAuth Bearer Token,Refresh Token,Ανανέωση Token apps/frappe/frappe/public/js/frappe/misc/user.js +61,You,Εσείς DocType: Website Theme,lowercase,Πεζά DocType: Print Format,Helvetica,Helvetica -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +34,Newsletter has already been sent,Το ενημερωτικό δελτίο έχει ήδη αποσταλεί +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +35,Newsletter has already been sent,Το ενημερωτικό δελτίο έχει ήδη αποσταλεί DocType: Unhandled Email,Reason,Αιτιολογία apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.py +33,Please specify user,Παρακαλώ ορίστε τον χρήστη DocType: Email Unsubscribe,Email Unsubscribe,Email Διαγραφή @@ -147,30 +147,30 @@ apps/frappe/frappe/public/js/frappe/form/templates/grid_body.html +15,Add multip apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +560,The first user will become the System Manager (you can change this later).,Ο πρώτος χρήστης θα γίνει ο διαχειριστής του συστήματος ( μπορείτε να το αλλάξετε αυτό αργότερα ). ,App Installer,App Installer DocType: Workflow State,circle-arrow-up,Circle-arrow-up -apps/frappe/frappe/public/js/frappe/upload.js +291,Uploading...,Γίνεται αποστολή στο διακομιστή... +apps/frappe/frappe/public/js/frappe/upload.js +295,Uploading...,Γίνεται αποστολή στο διακομιστή... DocType: Email Domain,Email Domain,τομέα email DocType: Workflow State,italic,Πλάγια γραφή apps/frappe/frappe/core/page/modules_setup/modules_setup.html +7,For Everyone,Για όλους apps/frappe/frappe/core/doctype/doctype/doctype.py +668,{0}: Cannot set Import without Create,{0} : Δεν είναι δυνατή η ρύθμιση εισαγωγής χωρίς δημιουργία apps/frappe/frappe/config/desk.py +26,Event and other calendars.,Εκδήλωση και άλλα ημερολόγια. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +853,Drag to sort columns,Σύρετε για να ταξινομήσετε στήλες +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +854,Drag to sort columns,Σύρετε για να ταξινομήσετε στήλες apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +2,Widths can be set in px or %.,Τα πλάτη μπορούν να ρυθμιστούν σε px ή %. -apps/frappe/frappe/public/js/frappe/form/print.js +98,Start,Αρχή +apps/frappe/frappe/public/js/frappe/form/print.js +101,Start,Αρχή DocType: User,First Name,Όνομα DocType: LDAP Settings,LDAP Username Field,LDAP Όνομα Χρήστη πεδίο DocType: Portal Settings,Standard Sidebar Menu,Πρότυπο μενού Sidebar apps/frappe/frappe/core/doctype/file/file.py +167,Cannot delete Home and Attachments folders,Δεν μπορείτε να διαγράψετε Σπίτι και Συνημμένα φακέλους apps/frappe/frappe/config/desk.py +19,Files,αρχεία apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +6,Permissions get applied on Users based on what Roles they are assigned.,Τα δικαιώματα εφαρμόζονται σε χρήστες με βάση τους ρόλους που τους έχουν ανατεθεί. -apps/frappe/frappe/public/js/frappe/views/communication.js +457,You are not allowed to send emails related to this document,Δεν επιτρέπεται να στείλετε μηνύματα ηλεκτρονικού ταχυδρομείου που σχετίζονται με αυτό το έγγραφο +apps/frappe/frappe/public/js/frappe/views/communication.js +459,You are not allowed to send emails related to this document,Δεν επιτρέπεται να στείλετε μηνύματα ηλεκτρονικού ταχυδρομείου που σχετίζονται με αυτό το έγγραφο apps/frappe/frappe/model/db_query.py +514,Please select atleast 1 column from {0} to sort/group,Επιλέξτε atleast 1 στήλη από {0} έως ταξινόμηση / ομάδα DocType: PayPal Settings,Check this if you are testing your payment using the Sandbox API,Ελέγξτε αυτό εάν δοκιμάζετε την πληρωμή σας χρησιμοποιώντας το API Sandbox apps/frappe/frappe/website/doctype/website_theme/website_theme.py +30,You are not allowed to delete a standard Website Theme,Δεν επιτρέπεται να διαγράψετε ένα πρότυπο ιστοσελίδας Θέμα DocType: Feedback Trigger,Example,Παράδειγμα DocType: Workflow State,gift,Δώρο -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +236,Reqd,Απαιτείται +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Reqd,Απαιτείται apps/frappe/frappe/core/doctype/communication/email.py +263,Unable to find attachment {0},Δεν βρέθηκε το συνημμένο {0} -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +224,Assign a permission level to the field.,Αντιστοιχίστε ένα επίπεδο δικαιωμάτων στο πεδίο. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +225,Assign a permission level to the field.,Αντιστοιχίστε ένα επίπεδο δικαιωμάτων στο πεδίο. apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,Cannot Remove,Δεν είναι δυνατή η κατάργηση apps/frappe/frappe/public/js/frappe/request.js +78,The resource you are looking for is not available,Ο πόρος που αναζητάτε δεν είναι διαθέσιμη apps/frappe/frappe/config/setup.py +44,Show / Hide Modules,Εμφάνιση / απόκρυψη λειτουργικών μονάδων @@ -192,9 +192,9 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +17 DocType: DocField,Display,Εμφάνιση DocType: Email Group,Total Subscribers,Σύνολο Συνδρομητές apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +25,"If a Role does not have access at Level 0, then higher levels are meaningless.","Εάν ένας ρόλος δεν έχει πρόσβαση στο επίπεδο 0, τότε τα υψηλότερα επίπεδα είναι χωρίς νόημα ." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +737,Save As,Αποθήκευση ως +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +738,Save As,Αποθήκευση ως DocType: Communication,Seen,Επίσκεψη -apps/frappe/frappe/public/js/frappe/form/layout.js +97,Show more details,Δείτε περισσότερες λεπτομέρειες +apps/frappe/frappe/public/js/frappe/form/layout.js +93,Show more details,Δείτε περισσότερες λεπτομέρειες DocType: System Settings,Run scheduled jobs only if checked,Εκτέλεση χρονοπρογραμματισμένων εργασιών μόνο αν είναι επιλεγμένο apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +408,Will only be shown if section headings are enabled,Θα εμφανίζεται μόνο εάν είναι ενεργοποιημένη τίτλοι των ενοτήτων apps/frappe/frappe/public/js/frappe/views/kanban/kanban_column.html +9,Archive,Αρχείο @@ -240,7 +240,7 @@ apps/frappe/frappe/model/db_query.py +505,Cannot use sub-query in order by,Δε DocType: Web Form,Button Help,κουμπί Βοήθεια DocType: Kanban Board Column,purple,μωβ DocType: About Us Settings,Team Members,Μέλη της ομάδας -apps/frappe/frappe/public/js/frappe/upload.js +218,Please attach a file or set a URL,Παρακαλώ να επισυνάψετε ένα αρχείο ή να ορίσετε μια διεύθυνση url +apps/frappe/frappe/public/js/frappe/upload.js +222,Please attach a file or set a URL,Παρακαλώ να επισυνάψετε ένα αρχείο ή να ορίσετε μια διεύθυνση url DocType: Async Task,System Manager,Διαχειριστής συστήματος DocType: Custom DocPerm,Permissions,Δικαιώματα DocType: Dropbox Settings,Allow Dropbox Access,Επίτρεψε πρόσβαση στο dropbox @@ -263,7 +263,7 @@ apps/frappe/frappe/public/js/frappe/upload.js +20,Upload Attachment,Ανεβάσ DocType: Block Module,Block Module,Block Ενότητα apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +3,Export Template,Πρότυπο εξαγωγής apps/frappe/frappe/core/doctype/version/version_view.html +14,New Value,νέα τιμή -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +506,No permission to edit,Δεν έχετε άδεια για να επεξεργαστείτε +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +507,No permission to edit,Δεν έχετε άδεια για να επεξεργαστείτε apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.html +4,Add a column,Προσθέστε μια στήλη apps/frappe/frappe/www/contact.html +30,Your email address,Η διεύθυνση email σας DocType: Desktop Icon,Module,Λειτουργική μονάδα @@ -273,11 +273,11 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_start DocType: Customize Form,Is Table,είναι πίνακας DocType: Email Account,Total number of emails to sync in initial sync process ,Συνολικός αριθμός των μηνυμάτων ηλεκτρονικού ταχυδρομείου προς συγχρονισμό κατά την αρχική διαδικασία συγχρονισμού DocType: Website Settings,Set Banner from Image,Ορισμός banner από την εικόνα -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +354,Global Search,Καθολική αναζήτηση +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Global Search,Καθολική αναζήτηση DocType: Email Account,SparkPost,SparkPost apps/frappe/frappe/templates/emails/new_user.html +3,A new account has been created for you at {0},Ένας νέος λογαριασμός έχει δημιουργηθεί για εσάς σε {0} apps/frappe/frappe/templates/includes/login/login.js +178,Instructions Emailed,Οδηγίες μέσω ηλεκτρονικού ταχυδρομείου -apps/frappe/frappe/public/js/frappe/views/communication.js +446,Enter Email Recipient(s),Εισάγετε το Email Παραλήπτη (ες) +apps/frappe/frappe/public/js/frappe/views/communication.js +448,Enter Email Recipient(s),Εισάγετε το Email Παραλήπτη (ες) DocType: Print Format,Verdana,Verdana DocType: Email Flag Queue,Email Flag Queue,Email Ουρά Σημαία apps/frappe/frappe/utils/bot.py +83,Can't identify open {0}. Try something else.,δεν μπορεί να εντοπίσει ανοικτή {0}. Δοκιμάστε κάτι άλλο. @@ -291,13 +291,13 @@ DocType: Communication,Message ID,μήνυμα ID DocType: Property Setter,Field Name,Όνομα πεδίου apps/frappe/frappe/public/js/frappe/ui/listing.js +342,No Result,Κανένα αποτέλεσμα apps/frappe/frappe/public/js/frappe/misc/utils.js +151,or,Ή -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +139,module name...,ενότητα όνομα ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +137,module name...,ενότητα όνομα ... apps/frappe/frappe/templates/pages/integrations/payment-success.html +12,Continue,Συνέχεια DocType: Custom Field,Fieldname,Όνομα πεδίου DocType: Workflow State,certificate,Πιστοποιητικό DocType: User,Tile,Πλακάκι apps/frappe/frappe/templates/includes/login/login.js +106,Verifying...,Επαλήθευση ... -apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,First data column must be blank.,Η πρώτη στήλη των δεδομένων πρέπει να είναι κενή. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +63,First data column must be blank.,Η πρώτη στήλη των δεδομένων πρέπει να είναι κενή. apps/frappe/frappe/core/doctype/version/version.js +5,Show all Versions,Εμφάνιση όλων των εκδόσεων DocType: Workflow State,Print,Εκτύπωση DocType: User,Restrict IP,Περιορισμός IP @@ -311,7 +311,7 @@ DocType: Contact,Sales Master Manager,Διαχειριστής κύριων εγ apps/frappe/frappe/www/complete_signup.html +13,One Last Step,Ένα τελευταίο βήμα apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +60,Name of the Document Type (DocType) you want this field to be linked to. e.g. Customer,Όνομα του τύπου εγγράφου (doctype) με τον οποίο θέλετε αυτό το πεδίο να συνδέεται με (π.Χ. Πελάτη) DocType: User,Roles Assigned,Ανάθεση ρόλων -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +374,Search Help,Βοήθεια αναζήτησης +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +141,Search Help,Βοήθεια αναζήτησης DocType: Top Bar Item,Parent Label,Γονική ετικέτα apps/frappe/frappe/templates/emails/auto_reply.html +2,"Your query has been received. We will reply back shortly. If you have any additional information, please reply to this mail.","Η ερώτησή σας έχει παραληφθεί. Θα απαντήσουμε άμεσα σύντομα. Εάν έχετε οποιεσδήποτε πρόσθετες πληροφορίες, απαντήστε σε αυτό το μήνυμα." apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +10,Permissions are automatically translated to Standard Reports and Searches.,Τα δικαιώματα μεταφράζονται αυτόματα σε πρότυπες εκθέσεις και αναζητήσεις . @@ -327,19 +327,20 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline.html +12,Ctrl+Enter to apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_layout.html +8,Edit Heading,Επεξεργασία επικεφαλίδας DocType: File,File URL,Url αρχείου DocType: Version,Table HTML,Πίνακας HTML -apps/frappe/frappe/email/doctype/email_group/email_group.js +27,Add Subscribers,Προσθήκη Συνδρομητές +apps/frappe/frappe/email/doctype/email_group/email_group.js +28,Add Subscribers,Προσθήκη Συνδρομητές apps/frappe/frappe/desk/doctype/event/event.py +63,Upcoming Events for Today,Επερχόμενα συμβάντα για σήμερα DocType: Email Alert Recipient,Email By Document Field,Email ανά πεδίο εγγράφου apps/frappe/frappe/core/page/usage_info/usage_info.js +20,Upgrade,Αναβαθμίζω apps/frappe/frappe/email/receive.py +63,Cannot connect: {0},Δεν είναι δυνατή η σύνδεση: {0} -apps/frappe/frappe/utils/password_strength.py +157,A word by itself is easy to guess.,Μια λέξη από μόνη της είναι εύκολο να μαντέψει κανείς. +apps/frappe/frappe/utils/password_strength.py +159,A word by itself is easy to guess.,Μια λέξη από μόνη της είναι εύκολο να μαντέψει κανείς. apps/frappe/frappe/www/search.html +11,Search...,Ψάξιμο... apps/frappe/frappe/utils/nestedset.py +218,Merging is only possible between Group-to-Group or Leaf Node-to-Leaf Node,Η συγχώνευση είναι δυνατή μόνο μεταξύ ομάδας-σε-ομάδα ή κόμβου-σε-κόμβο apps/frappe/frappe/utils/file_manager.py +43,Added {0},Προστέθηκε {0} apps/frappe/frappe/www/search.html +28,No matching records. Search something new,Δεν υπάρχουν στοιχεία που να ταιριάζουν. Αναζήτηση κάτι νέο DocType: Currency,Fraction Units,Μονάδες κλάσματος -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +430,{0} from {1} to {2},{0} από {1} έως {2} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +431,{0} from {1} to {2},{0} από {1} έως {2} DocType: Communication,Type,Τύπος +apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Ρυθμίστε τον προεπιλεγμένο λογαριασμό ηλεκτρονικού ταχυδρομείου από το Setup> Email> Email Account DocType: Authentication Log,Subject,Θέμα DocType: Web Form,Amount Based On Field,Ποσό με βάση το πεδίο apps/frappe/frappe/core/doctype/docshare/docshare.py +34,User is mandatory for Share,Ο χρήστης είναι υποχρεωτική για το μερίδιο @@ -349,10 +350,10 @@ apps/frappe/frappe/model/base_document.py +470,{0} must be set first,{0} Πρέ apps/frappe/frappe/utils/password_strength.py +29,"Use a few words, avoid common phrases.","Χρησιμοποιήστε λίγα λόγια, αποφύγετε κοινά φράσεις." DocType: Workflow State,plane,Αεροπλάνο apps/frappe/frappe/templates/pages/integrations/payment-failed.html +10,Oops. Your payment has failed.,Ωχ. Η πληρωμή σας απέτυχε. -apps/frappe/frappe/core/page/data_import_tool/exporter.py +64,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Αν ανεβάζετε νέες εγγραφές, η ""σειρά ονομασίας"" είναι απαραίτητη, εφόσον υπάρχει." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,"If you are uploading new records, ""Naming Series"" becomes mandatory, if present.","Αν ανεβάζετε νέες εγγραφές, η ""σειρά ονομασίας"" είναι απαραίτητη, εφόσον υπάρχει." apps/frappe/frappe/email/doctype/email_alert/email_alert.js +65,Get Alerts for Today,Λάβετε ειδοποιήσεις για σήμερα apps/frappe/frappe/core/doctype/doctype/doctype.py +264,DocType can only be renamed by Administrator,DocType μπορεί να μετονομαστεί μόνο από Administrator -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +441,changed value of {0},αλλαγμένη τιμή του {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +442,changed value of {0},αλλαγμένη τιμή του {0} DocType: Report,JSON,JSON apps/frappe/frappe/core/doctype/user/user.py +734,Please check your email for verification,Παρακαλώ ελέγξτε το email σας για επαλήθευση apps/frappe/frappe/core/doctype/doctype/doctype.py +489,Fold can not be at the end of the form,Η αναδίπλωση δεν μπορεί να είναι στο τέλος της φόρμας @@ -364,8 +365,9 @@ DocType: Auto Email Report,No of Rows (Max 500),Αριθμός σειρών (Max DocType: Language,Language Code,Κωδικός γλώσσας apps/frappe/frappe/public/js/frappe/ui/toolbar/toolbar.js +231,"Your download is being built, this may take a few moments...","Η λήψη σας δημιουργείται, αυτό μπορεί να διαρκέσει λίγα λεπτά ..." apps/frappe/frappe/www/feedback.html +23,Your rating: ,Η βαθμολογία σας: -apps/frappe/frappe/utils/data.py +543,{0} and {1},{0} και {1} +apps/frappe/frappe/utils/data.py +544,{0} and {1},{0} και {1} DocType: Print Settings,"Always add ""Draft"" Heading for printing draft documents",Πάντα προσθέστε "Σχέδιο" Τομέας για σχέδιο εκτύπωση εγγράφων +apps/frappe/frappe/core/doctype/communication/communication.js +228,Email has been marked as spam,Το μήνυμα ηλεκτρονικού ταχυδρομείου έχει επισημανθεί ως ανεπιθύμητο DocType: About Us Settings,Website Manager,Διαχειριστής ιστοσελίδας apps/frappe/frappe/model/document.py +1048,Document Queued,έγγραφο ουρά DocType: Desktop Icon,List,Λίστα @@ -377,7 +379,7 @@ DocType: Print Settings,Send document web view link in email,Αποστολή ε apps/frappe/frappe/www/feedback.html +114,Your Feedback for document {0} is saved successfully,Σχόλια για το έγγραφο {0} έχει αποθηκευτεί με επιτυχία apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +16,Previous,Προηγούμενο apps/frappe/frappe/email/doctype/email_account/email_account.py +551,Re:,Απ: -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +495,{0} rows for {1},{0} γραμμές για {1} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +496,{0} rows for {1},{0} γραμμές για {1} DocType: Currency,"Sub-currency. For e.g. ""Cent""",Υπο-νόμισμα. Για παράδειγμα "cent" apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +215,Select uploaded file,Επιλέξτε προστιθέμενο αρχείο DocType: Letter Head,Check this to make this the default letter head in all prints,Επιλέξτε αυτό για να γίνει η προεπιλεγμένη κεφαλίδα επιστολόχαρτου σε όλες τις εκτυπώσεις @@ -387,12 +389,11 @@ DocType: Desktop Icon,Link,Σύνδεσμος apps/frappe/frappe/utils/file_manager.py +96,No file attached,Δεν βρέθηκε συνημμένο αρχείο DocType: Version,Version,Έκδοση DocType: User,Fill Screen,Γέμισε την οθόνη -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +646,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Δεν είναι δυνατή η προβολή αυτής της έκθεσης δέντρο, λόγω έλλειψης στοιχείων. Το πιο πιθανό, είναι να φιλτραριστεί λόγω δικαιώματα." -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +57,1. Select File,1. Επιλέξτε Αρχείο -apps/frappe/frappe/public/js/frappe/form/grid.js +563,Edit via Upload,Επεξεργασία μέσω Ανεβάστε -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +135,"document type..., e.g. customer","Τύπος εγγράφου ..., π.χ. πελατών" +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +657,"Unable to display this tree report, due to missing data. Most likely, it is being filtered out due to permissions.","Δεν είναι δυνατή η προβολή αυτής της έκθεσης δέντρο, λόγω έλλειψης στοιχείων. Το πιο πιθανό, είναι να φιλτραριστεί λόγω δικαιώματα." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +67,1. Select File,1. Επιλέξτε Αρχείο +apps/frappe/frappe/public/js/frappe/form/grid.js +561,Edit via Upload,Επεξεργασία μέσω Ανεβάστε +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,"document type..., e.g. customer","Τύπος εγγράφου ..., π.χ. πελατών" apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +29,The Condition '{0}' is invalid,Η Κατάσταση '{0}' δεν είναι έγκυρη -apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Εγκατάσταση> Διαχείριση δικαιωμάτων χρηστών DocType: Workflow State,barcode,Barcode apps/frappe/frappe/config/setup.py +226,Add your own translations,Προσθέστε τις δικές σας μεταφράσεις DocType: Country,Country Name,Όνομα χώρας @@ -411,9 +412,11 @@ DocType: Workflow State,exclamation-sign,exclamation-sign apps/frappe/frappe/core/report/permitted_documents_for_user/permitted_documents_for_user.js +30,Show Permissions,Εμφάνιση Δικαιώματα apps/frappe/frappe/core/doctype/doctype/doctype.py +554,Timeline field must be a Link or Dynamic Link,Χρονοδιάγραμμα πεδίο πρέπει να είναι ένας σύνδεσμος ή Dynamic Link apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +36,Please install dropbox python module,Παρακαλώ εγκαταστήστε το dropbox module της python +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +53,Date Range,Εύρος ημερομηνιών apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +20,Gantt,Gantt apps/frappe/frappe/public/html/print_template.html +27,Page {0} of {1},Σελίδα {0} από {1} DocType: About Us Settings,Introduce your company to the website visitor.,Συστήστε την εταιρεία σας στον επισκέπτη της ιστοσελίδας +apps/frappe/frappe/utils/password.py +106,"Encryption key is invalid, Please check site_config.json","Το κλειδί κρυπτογράφησης δεν είναι έγκυρο, ελέγξτε το site_config.json" apps/frappe/frappe/public/js/frappe/form/workflow.js +116,To,Έως DocType: Kanban Board Column,darkgrey,σκούρο γκρι apps/frappe/frappe/model/rename_doc.py +372,Successful: {0} to {1},Επιτυχείς: {0} έως {1} @@ -442,13 +445,13 @@ apps/frappe/frappe/public/js/frappe/ui/listing.js +57,More,Περισσότερ DocType: Contact,Sales Manager,Διευθυντής πωλήσεων apps/frappe/frappe/public/js/frappe/model/model.js +496,Rename,Μετονομασία DocType: Print Format,Format Data,Μορφοποίηση δεδομένων -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,Like,σαν +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,Like,σαν DocType: Customize Form Field,Customize Form Field,Προσαρμογή πεδίου φόρμας apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Allow User,Επίτρεψε χρήστη DocType: OAuth Client,Grant Type,Είδος επιδότησης apps/frappe/frappe/config/setup.py +59,Check which Documents are readable by a User,Ελέγξτε ποια έγγραφα είναι δυνατόν να αναγνωσθούν από έναν χρήστη apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +461,use % as wildcard,χρησιμοποιήστε% ως μπαλαντέρ -apps/frappe/frappe/email/doctype/email_account/email_account.js +151,"Email Domain not configured for this account, Create one?","Τομέα email δεν έχει ρυθμιστεί για αυτόν το λογαριασμό, δημιουργήστε έναν;" +apps/frappe/frappe/email/doctype/email_account/email_account.js +150,"Email Domain not configured for this account, Create one?","Τομέα email δεν έχει ρυθμιστεί για αυτόν το λογαριασμό, δημιουργήστε έναν;" DocType: User,Reset Password Key,Επαναφορά κωδικού DocType: Email Account,Enable Auto Reply,Ενεργοποίηση αυτόματης απάντησης apps/frappe/frappe/core/doctype/error_log/error_log_list.js +7,Not Seen,Δεν φαίνεται @@ -463,13 +466,13 @@ DocType: DocType,Fields,Πεδία DocType: System Settings,Your organization name and address for the email footer.,Το όνομα του οργανισμού σας και τη διεύθυνση για την ηλεκτρονική υποσέλιδο. apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +15,Parent Table,Γονικός πίνακας apps/frappe/frappe/config/desktop.py +60,Developer,Προγραμματιστής -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +139,Created,Δημιουργήθηκε +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +140,Created,Δημιουργήθηκε apps/frappe/frappe/website/doctype/website_settings/website_settings.py +38,{0} in row {1} cannot have both URL and child items,{0} Στη γραμμή {1} δεν μπορεί να έχει και url και θυγατρικά είδη apps/frappe/frappe/utils/nestedset.py +194,Root {0} cannot be deleted,Η ρίζα {0} δεν μπορεί να διαγραφεί apps/frappe/frappe/website/doctype/blog_post/blog_post.py +75,No comments yet,Δεν υπάρχουν ακόμη σχόλια apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +126,Both DocType and Name required,Ο τύπος εγγράφου και το όνομα είναι απαραίτητα apps/frappe/frappe/model/document.py +574,Cannot change docstatus from 1 to 0,Δεν είναι δυνατή η αλλαγή κατάστασης εγγράφου από 1 σε 0 -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +31,Take Backup Now,Πάρτε αντιγράφων ασφαλείας Τώρα +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.js +33,Take Backup Now,Πάρτε αντιγράφων ασφαλείας Τώρα apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +38,Welcome,Καλωσόρισμα apps/frappe/frappe/desk/page/applications/applications.js +95,Installed Apps,Εγκατεστημένων εφαρμογών DocType: Communication,Open,Ανοιχτό @@ -502,13 +505,13 @@ DocType: Communication,From Full Name,Από Ονοματεπώνυμο apps/frappe/frappe/desk/query_report.py +19,You don't have access to Report: {0},Δεν έχετε πρόσβαση στην έκθεση: {0} DocType: User,Send Welcome Email,Αποστολή Καλώς Email apps/frappe/frappe/core/page/user_permissions/user_permissions.js +132,Upload CSV file containing all user permissions in the same format as Download.,Ανεβάστε το αρχείο csv που περιέχει όλα τα δικαιώματα των χρηστών στην ίδια μορφή όπως οι λήψεις. -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +674,Remove Filter,Κατάργηση φίλτρου +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +673,Remove Filter,Κατάργηση φίλτρου DocType: Address,Personal,Προσωπικός apps/frappe/frappe/config/setup.py +113,Bulk Rename,Μαζική Μετονομασία DocType: Email Queue,Show as cc,Εμφάνιση ως cc DocType: DocField,Heading,Επικεφαλίδα DocType: Workflow State,resize-vertical,Resize-vertical -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +61,2. Upload,2. Ανεβάστε +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,2. Upload,2. Ανεβάστε DocType: Contact Us Settings,Introductory information for the Contact Us Page,Εισαγωγικές πληροφορίες για την σελίδα επικοινωνίας DocType: Web Page,CSS,CSS DocType: Workflow State,thumbs-down,Thumbs-down @@ -517,7 +520,7 @@ DocType: DocField,In Global Search,Στην Σφαιρική Αναζήτηση DocType: Workflow State,indent-left,Εσοχή-αριστερά apps/frappe/frappe/utils/file_manager.py +291,It is risky to delete this file: {0}. Please contact your System Manager.,Είναι επικίνδυνο να διαγράψετε αυτό το αρχείο: {0}. Επικοινωνήστε με το διαχειριστή του συστήματός σας. DocType: Currency,Currency Name,Όνομα νομίσματος -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +149,No Emails,Δεν Emails +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +151,No Emails,Δεν Emails DocType: Report,Javascript,Javascript DocType: File,Content Hash,Hash περιεχομένου DocType: User,Stores the JSON of last known versions of various installed apps. It is used to show release notes.,Αποθηκεύει το JSON του τελευταίου γνωστού εκδόσεις των διαφόρων εγκατεστημένων εφαρμογών. Χρησιμοποιείται για να δείξει τις σημειώσεις έκδοσης. @@ -543,7 +546,7 @@ apps/frappe/frappe/public/js/frappe/list/list_view.js +734,Select atleast 1 reco apps/frappe/frappe/core/doctype/has_role/has_role.py +13,User '{0}' already has the role '{1}',Ο χρήστης '{0}' έχει ήδη το ρόλο '{1}' apps/frappe/frappe/core/page/user_permissions/user_permissions.js +140,Upload and Sync,Αποστολή στο διακομιστή και συγχρονισμός apps/frappe/frappe/public/js/frappe/form/share.js +36,Shared with {0},Κοινή χρήση με {0} -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe,Κατάργηση +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +131,Unsubscribe,Κατάργηση DocType: Communication,Reference Name,Όνομα αναφοράς apps/frappe/frappe/public/js/frappe/toolbar.js +32,Chat Support,Chat Υποστήριξη DocType: Error Snapshot,Exception,Εξαίρεση @@ -560,9 +563,9 @@ DocType: Email Group,Newsletter Manager,Ενημερωτικό Δελτίο Δι apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,Option 1,Επιλογή 1 apps/frappe/frappe/website/doctype/blog_post/blog_post.py +108,All Posts,Όλες οι Δημοσιεύσεις apps/frappe/frappe/config/setup.py +89,Log of error during requests.,Συνδεθείτε σφάλματος κατά τη διάρκεια αιτήσεων. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +194,{0} has been successfully added to the Email Group.,{0} έχει προστεθεί με επιτυχία τον Όμιλο Email. -apps/frappe/frappe/public/js/frappe/upload.js +359,Make file(s) private or public?,Κάντε το αρχείο (ες) ιδιωτικό ή δημόσιο; -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +29,Scheduled to send to {0},Προγραμματισμένη για να αποσταλεί σε {0} +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,{0} has been successfully added to the Email Group.,{0} έχει προστεθεί με επιτυχία τον Όμιλο Email. +apps/frappe/frappe/public/js/frappe/upload.js +363,Make file(s) private or public?,Κάντε το αρχείο (ες) ιδιωτικό ή δημόσιο; +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +30,Scheduled to send to {0},Προγραμματισμένη για να αποσταλεί σε {0} DocType: Kanban Board Column,Indicator,Δείκτης DocType: DocShare,Everyone,Όλοι DocType: Workflow State,backward,Πίσω @@ -583,11 +586,11 @@ apps/frappe/frappe/public/js/frappe/model/model.js +22,Last Updated By,Τελε apps/frappe/frappe/public/js/frappe/form/workflow.js +117,is not allowed.,δεν επιτρέπεται. apps/frappe/frappe/email/doctype/email_group/email_group.js +6,View Subscribers,Προβολή Συνδρομητές DocType: Website Theme,Background Color,Χρώμα φόντου -apps/frappe/frappe/public/js/frappe/views/communication.js +507,There were errors while sending email. Please try again.,Υπήρξαν σφάλματα κατά την αποστολή ηλεκτρονικού ταχυδρομείου. Παρακαλώ δοκιμάστε ξανά . +apps/frappe/frappe/public/js/frappe/views/communication.js +509,There were errors while sending email. Please try again.,Υπήρξαν σφάλματα κατά την αποστολή ηλεκτρονικού ταχυδρομείου. Παρακαλώ δοκιμάστε ξανά . DocType: Portal Settings,Portal Settings,portal Ρυθμίσεις DocType: Web Page,0 is highest,0 Είναι η υψηλότερη apps/frappe/frappe/core/doctype/communication/communication.js +117,Are you sure you want to relink this communication to {0}?,Είστε σίγουροι ότι θέλετε να επανασύνδεση αυτή την ανακοίνωση σε {0}; -apps/frappe/frappe/www/login.html +99,Send Password,Αποστολή Κωδικού +apps/frappe/frappe/www/login.html +104,Send Password,Αποστολή Κωδικού apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +45,Attachments,Συνημμένα apps/frappe/frappe/website/doctype/web_form/web_form.py +131,You don't have the permissions to access this document,Δεν έχετε τα δικαιώματα πρόσβασης σε αυτό το έγγραφο DocType: Language,Language Name,γλώσσα Όνομα @@ -595,28 +598,29 @@ DocType: Email Group Member,Email Group Member,Στείλτε e-mail Μέλος DocType: Email Alert,Value Changed,Η τιμή άλλαξε apps/frappe/frappe/model/base_document.py +309,Duplicate name {0} {1},Διπλότυπο όνομα {0} {1} DocType: Web Form Field,Web Form Field,Πεδίο φόρμας ιστοσελίδας -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +253,Hide field in Report Builder,Απόκρυψη πεδίου στο εργαλείο δημιουργίας εκθέσεων +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +254,Hide field in Report Builder,Απόκρυψη πεδίου στο εργαλείο δημιουργίας εκθέσεων apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_field.html +21,Edit HTML,Επεξεργασία κώδικα HTML -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +502,Restore Original Permissions,Επαναφορά των αρχικών δικαιωμάτων +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +504,Restore Original Permissions,Επαναφορά των αρχικών δικαιωμάτων DocType: Address,Shop,Κατάστημα DocType: DocField,Button,Κουμπί +apps/frappe/frappe/printing/doctype/print_format/print_format.py +80,{0} is now default print format for {1} doctype,Το {0} είναι τώρα προεπιλεγμένη μορφή εκτύπωσης για το {1} doctype apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +392,Archived Columns,Αρχείο Στήλες DocType: Email Account,Default Outgoing,Προεπιλογμένα εξερχόμενα DocType: Workflow State,play,Παιχνίδι apps/frappe/frappe/templates/emails/new_user.html +5,Click on the link below to complete your registration and set a new password,Κάντε κλικ στον παρακάτω σύνδεσμο για να ολοκληρωθεί η εγγραφή σας και να ορίσετε έναν νέο κωδικό πρόσβασης -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +407,Did not add,Δεν έγινε η προσθήκη +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +408,Did not add,Δεν έγινε η προσθήκη apps/frappe/frappe/public/js/frappe/views/inbox/inbox_no_result.html +3,No Email Accounts Assigned,Δεν Λογαριασμοί email ειδικό προορισμό DocType: Contact Us Settings,Contact Us Settings,Ρυθμίσεις επικοινωνίας -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +175,Searching ...,Αναζήτηση ... +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +176,Searching ...,Αναζήτηση ... DocType: Workflow State,text-width,Text-width apps/frappe/frappe/public/js/legacy/form.js +144,Maximum Attachment Limit for this record reached.,Μέγιστο Όριο Συνημμένο για αυτό το ρεκόρ του. -apps/frappe/frappe/website/js/web_form.js +322,The following mandatory fields must be filled:
    ,Τα παρακάτω υποχρεωτικά πεδία πρέπει να συμπληρωθούν:
    +apps/frappe/frappe/website/js/web_form.js +321,The following mandatory fields must be filled:
    ,Τα παρακάτω υποχρεωτικά πεδία πρέπει να συμπληρωθούν:
    DocType: Email Alert,View Properties (via Customize Form),Δείτε τα ακίνητα (μέσω Προσαρμογή έντυπο) DocType: Note Seen By,Note Seen By,Σημείωση φαίνεται από το apps/frappe/frappe/utils/password_strength.py +74,Try to use a longer keyboard pattern with more turns,Δοκιμάστε να χρησιμοποιήσετε ένα μεγαλύτερο σχέδιο πληκτρολόγιο με περισσότερες στροφές DocType: Feedback Trigger,Check Communication,Ελέγξτε Επικοινωνία apps/frappe/frappe/core/doctype/report/report.js +5,Report Builder reports are managed directly by the report builder. Nothing to do.,Οι εκθέσεις του δημιουργού εκθέσεων είναι διαχειρίσημες απευθείας από τον δημιουργό εκθέσεων. Δεν υπάρχει τίποτα να κάνετε. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +164,Please verify your Email Address,Παρακαλούμε επιβεβαιώστε σας Διεύθυνση E-mail +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Please verify your Email Address,Παρακαλούμε επιβεβαιώστε σας Διεύθυνση E-mail apps/frappe/frappe/model/document.py +907,none of,Κανένας από apps/frappe/frappe/public/js/frappe/views/communication.js +66,Send Me A Copy,Στείλτε μου ένα αντίγραφο apps/frappe/frappe/core/page/user_permissions/user_permissions.js +127,Upload User Permissions,Αποστολή στο διακομιστή των δικαιωμάτων χρήστη @@ -624,7 +628,7 @@ DocType: Dropbox Settings,App Secret Key,App μυστικό κλειδί apps/frappe/frappe/config/website.py +7,Web Site,Web Site apps/frappe/frappe/core/page/desktop/all_applications_dialog.html +8,Checked items will be shown on desktop,Τα επιλεγμένα στοιχεία θα εμφανίζονται στην επιφάνεια εργασίας apps/frappe/frappe/core/doctype/doctype/doctype.py +685,{0} cannot be set for Single types,{0} Δεν μπορεί να οριστεί για μοναδιαίους τύπους -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +866,Kanban Board {0} does not exist.,Kanban Διοικητικό {0} δεν υπάρχει. +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +837,Kanban Board {0} does not exist.,Kanban Διοικητικό {0} δεν υπάρχει. apps/frappe/frappe/public/js/frappe/form/form_viewers.js +48,{0} are currently viewing this document,{0} Αυτή τη στιγμή βλέπετε αυτό το έγγραφο DocType: ToDo,Assigned By Full Name,Ανατεθεί Με Ονοματεπώνυμο apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +151,{0} updated,{0} Ενημερώθηκε @@ -634,18 +638,18 @@ apps/frappe/frappe/public/js/frappe/misc/pretty_date.js +51,{0} days ago,{0} η DocType: Email Account,Awaiting Password,Εν αναμονή Κωδικός DocType: Address,Address Line 1,Γραμμή διεύθυνσης 1 DocType: Custom DocPerm,Role,Ρόλος -apps/frappe/frappe/utils/data.py +429,Cent,Σεντ -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +150,Compose Email,Συνθέστε Email +apps/frappe/frappe/utils/data.py +430,Cent,Σεντ +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +152,Compose Email,Συνθέστε Email apps/frappe/frappe/config/setup.py +198,"States for workflow (e.g. Draft, Approved, Cancelled).","Καταστάσεις ροής εργασίας ( π.Χ. Σχέδιο , εγκεκριμένη, ακυρομένη ) ." DocType: Print Settings,Allow Print for Draft,Επιτρέψτε εκτύπωσης για Σχέδιο -apps/frappe/frappe/public/js/frappe/form/link_selector.js +136,Set Quantity,Ορισμός Ποσότητα +apps/frappe/frappe/public/js/frappe/form/link_selector.js +139,Set Quantity,Ορισμός Ποσότητα apps/frappe/frappe/public/js/legacy/form.js +357,Submit this document to confirm,Υποβολή αυτό το έγγραφο για να επιβεβαιώσετε DocType: User,Unsubscribed,Χωρίς συνδρομή apps/frappe/frappe/config/setup.py +51,Set custom roles for page and report,Ορίστε προσαρμοσμένες ρόλους για τη σελίδα και αναφορά apps/frappe/frappe/public/js/frappe/misc/rating_icons.html +2,Rating: ,Εκτίμηση: -apps/frappe/frappe/email/receive.py +193,Can not find UIDVALIDITY in imap status response,Δεν μπορείτε να βρείτε UIDVALIDITY για την αντιμετώπιση κατάστασης IMAP +apps/frappe/frappe/email/receive.py +195,Can not find UIDVALIDITY in imap status response,Δεν μπορείτε να βρείτε UIDVALIDITY για την αντιμετώπιση κατάστασης IMAP ,Data Import Tool,Εργαλείο εισαγωγής δεδομένων -apps/frappe/frappe/website/js/web_form.js +260,Uploading files please wait for a few seconds.,Ανέβασμα αρχείων παρακαλώ περιμένετε για λίγα δευτερόλεπτα. +apps/frappe/frappe/website/js/web_form.js +259,Uploading files please wait for a few seconds.,Ανέβασμα αρχείων παρακαλώ περιμένετε για λίγα δευτερόλεπτα. apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +558,Attach Your Picture,Επισύναψη της εικόνα σας apps/frappe/frappe/core/doctype/version/version_view.html +69,Row Values Changed,Αξίες σειρά Άλλαξε DocType: Workflow State,Stop,Διακοπή @@ -692,7 +696,7 @@ DocType: DocType,Search Fields,Πεδία αναζήτησης DocType: OAuth Bearer Token,OAuth Bearer Token,OAuth Φορέας Token apps/frappe/frappe/public/js/legacy/print_format.js +124,No document selected,Δεν έχει επιλεγεί το έγγραφο DocType: Event,Event,Συμβάν -apps/frappe/frappe/public/js/frappe/views/communication.js +546,"On {0}, {1} wrote:","Στις {0}, ο {1} έγραψε:" +apps/frappe/frappe/public/js/frappe/views/communication.js +548,"On {0}, {1} wrote:","Στις {0}, ο {1} έγραψε:" apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +132,Cannot delete standard field. You can hide it if you want,"Δεν μπορείτε να διαγράψετε τυπικό πεδίο. Μπορείτε να το κρύψει, αν θέλετε" DocType: Top Bar Item,For top bar,Για την μπάρα κορυφής apps/frappe/frappe/utils/bot.py +148,Could not identify {0},δεν μπόρεσε να εντοπίσει {0} @@ -716,7 +720,7 @@ DocType: Property Setter,Property Setter,Ρυθμιστής ιδιότητας apps/frappe/frappe/core/page/user_permissions/user_permissions.js +222,Select User or DocType to start.,Επιλέξτε το χρήστη ή τον τύπο εγγράφου για να ξεκινήσετε. DocType: Web Form,Allow Print,Επιτρέψτε Εκτύπωση apps/frappe/frappe/desk/page/applications/applications.js +25,No Apps Installed,Δεν υπάρχουν εγκατεστημένες εφαρμογές -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +237,Mark the field as Mandatory,Σημειώστε το πεδίο ως υποχρεωτικό +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +238,Mark the field as Mandatory,Σημειώστε το πεδίο ως υποχρεωτικό DocType: Communication,Clicked,Έγινε κλικ apps/frappe/frappe/public/js/legacy/form.js +951,No permission to '{0}' {1},Δεν έχετε άδεια για '{0} ' {1} DocType: User,Google User ID,ID χρήστη google @@ -727,7 +731,7 @@ DocType: Event,orange,πορτοκάλι apps/frappe/frappe/public/js/frappe/list/list_renderer.js +554,No {0} found,Όχι {0} βρέθηκαν apps/frappe/frappe/config/setup.py +236,Add custom forms.,Προσθέστε προσαρμοσμένες φόρμες. apps/frappe/frappe/desk/like.py +84,{0}: {1} in {2},{0}: {1} στο {2} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +418,submitted this document,υπέβαλε αυτό το έγγραφο +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +419,submitted this document,υπέβαλε αυτό το έγγραφο apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +9,The system provides many pre-defined roles. You can add new roles to set finer permissions.,Το σύστημα παρέχει πολλούς προκαθορισμένες ρόλους. Μπορείτε να προσθέσετε νέους ρόλους για να ορίσετε ειδικότερα δικαιώματα . DocType: Communication,CC,CC DocType: Address,Geo,Γεωγραφία @@ -739,7 +743,8 @@ apps/frappe/frappe/website/doctype/website_settings/website_settings.js +84,Sele apps/frappe/frappe/core/doctype/user/user_list.js +12,Active,Ενεργός apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +13,Insert Below,Εισαγωγή κάτω DocType: Event,Blue,Μπλε -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +165,All customizations will be removed. Please confirm.,Όλες οι προσαρμογές θα αφαιρεθούν. Παρακαλώ επιβεβαιώστε. +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +166,All customizations will be removed. Please confirm.,Όλες οι προσαρμογές θα αφαιρεθούν. Παρακαλώ επιβεβαιώστε. +apps/frappe/frappe/www/login.html +20,Email address or Mobile number,Διεύθυνση ηλεκτρονικού ταχυδρομείου ή αριθμός κινητού τηλεφώνου DocType: Page,Page HTML,Html σελίδας apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +21,Alphabetically Ascending,αλφαβητικά Αύξουσα apps/frappe/frappe/public/js/frappe/views/treeview.js +262,Further nodes can be only created under 'Group' type nodes,Περαιτέρω κόμβοι μπορούν να δημιουργηθούν μόνο σε κόμβους τύπου ομάδα @@ -766,7 +771,7 @@ DocType: User,Represents a User in the system.,Αντιπροσωπεύει έν DocType: Communication,Label,Ετικέτα apps/frappe/frappe/desk/form/assign_to.py +137,"The task {0}, that you assigned to {1}, has been closed.","Το έργο {0}, που έχετε αντιστοιχίσει {1}, έχει κλείσει." DocType: User,Modules Access,Ενότητες Πρόσβαση -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +77,Please close this window,Κλείστε αυτό το παράθυρο +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +75,Please close this window,Κλείστε αυτό το παράθυρο DocType: Print Format,Print Format Type,Τύπος μορφοποίησης εκτύπωσης DocType: Newsletter,A Lead with this Email Address should exist,Μια Σύσταση με αυτή την διεύθυνση ηλεκτρονικού ταχυδρομείου θα πρέπει να υπάρχει apps/frappe/frappe/public/js/frappe/ui/toolbar/about.js +7,Open Source Applications for the Web,Εφαρμογές Ανοικτού Κώδικα για το Web @@ -776,18 +781,18 @@ DocType: Role Permission for Page and Report,Allow Roles,Αφήστε Ρόλοι DocType: DocType,Hide Toolbar,Απόκρυψη της γραμμής εργαλείων DocType: User,Last Active,Τελευταία σύνδεση DocType: Email Account,SMTP Settings for outgoing emails,Ρυθμίσεις smtp για εξερχόμενα μηνύματα ηλεκτρονικού ταχυδρομείου -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +210,Import Failed,Η εισαγωγή απέτυχε +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +213,Import Failed,Η εισαγωγή απέτυχε apps/frappe/frappe/templates/emails/password_update.html +3,Your password has been updated. Here is your new password,Ο κωδικός σας έχει ενημερωθεί. Εδώ είναι ο νέος κωδικός σας DocType: Email Account,Auto Reply Message,Μήνυμα αυτόματης απάντησης DocType: Feedback Trigger,Condition,Συνθήκη -apps/frappe/frappe/utils/data.py +521,{0} hours ago,Πριν από {0} ώρες -apps/frappe/frappe/utils/data.py +531,1 month ago,Πριν από 1 μηνά +apps/frappe/frappe/utils/data.py +522,{0} hours ago,Πριν από {0} ώρες +apps/frappe/frappe/utils/data.py +532,1 month ago,Πριν από 1 μηνά DocType: Contact,User ID,ID χρήστη DocType: Communication,Sent,Εστάλη DocType: File,Lft,Lft DocType: User,Simultaneous Sessions,ταυτόχρονη Συνεδρίες DocType: OAuth Client,Client Credentials,Διαπιστευτήρια πελάτη -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +138,Open a module or tool,Ανοίξτε μια λειτουργική μονάδα ή ένα εργαλείο +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +136,Open a module or tool,Ανοίξτε μια λειτουργική μονάδα ή ένα εργαλείο DocType: Communication,Delivery Status,Κατάσταση παράδοσης DocType: Module Def,App Name,Όνομα εφαρμογής apps/frappe/frappe/website/js/web_form.js +31,Max file size allowed is {0}MB,Μέγιστο μέγεθος αρχείου που επιτρέπεται είναι {0} MB @@ -808,11 +813,11 @@ DocType: Address,Address Type,Τύπος διεύθυνσης apps/frappe/frappe/email/receive.py +93,Invalid User Name or Support Password. Please rectify and try again.,Μη έγκυρο όνομα χρήστη ή κωδικός υποστήριξης. Παρακαλώ διορθώστε και δοκιμάστε ξανά . DocType: Email Account,Yahoo Mail,Yahoo mail apps/frappe/frappe/limits.py +75,Your subscription will expire tomorrow.,Η συνδρομή σας θα λήξει αύριο. -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +481,Saved!,Αποθηκεύτηκε! +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +483,Saved!,Αποθηκεύτηκε! apps/frappe/frappe/desk/page/activity/activity_row.html +21,Updated {0}: {1},Ενημερώθηκε {0}: {1} DocType: DocType,User Cannot Create,Ο χρήστης δεν μπορεί να δημιουργήσει apps/frappe/frappe/core/doctype/file/file.py +295,Folder {0} does not exist,Φάκελο {0} δεν υπάρχει -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +102,Dropbox access is approved!,πρόσβαση Dropbox έχει εγκριθεί! +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +100,Dropbox access is approved!,πρόσβαση Dropbox έχει εγκριθεί! apps/frappe/frappe/core/page/user_permissions/user_permissions.js +27,"These will also be set as default values for those links, if only one such permission record is defined.","Αυτά θα οριστούν επίσης ως προεπιλεγμένες τιμές για αυτούς τους συνδεσμούς , αν έχει καθοριστεί μόνο μια τέτοια εγγραφη δικαιωμάτων." DocType: Customize Form,Enter Form Type,Εισάγετε τύπο φόρμας apps/frappe/frappe/public/js/frappe/list/list_sidebar_stat.html +5,No records tagged.,Δεν υπάρχουν αρχεία ετικέτα. @@ -820,17 +825,16 @@ apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +4 DocType: User,Send Password Update Notification,Αποστολή Κωδικού Ειδοποίηση ενημέρωσης apps/frappe/frappe/public/js/legacy/form.js +63,"Allowing DocType, DocType. Be careful!","Επιτρέποντας DocType , DocType . Να είστε προσεκτικοί !" apps/frappe/frappe/config/core.py +32,"Customized Formats for Printing, Email","Προσαρμοσμένες μορφές για την εκτύπωση, e-mail" -apps/frappe/frappe/public/js/frappe/desk.js +422,Updated To New Version,Ενημέρωση στη νέα έκδοση +apps/frappe/frappe/public/js/frappe/desk.js +424,Updated To New Version,Ενημέρωση στη νέα έκδοση DocType: Custom Field,Depends On,Εξαρτάται από DocType: Event,Green,Πράσινος DocType: Custom DocPerm,Additional Permissions,Πρόσθετα δικαιώματα DocType: Email Account,Always use Account's Email Address as Sender,Πάντα να χρησιμοποιείτε Λογαριασμού διεύθυνση ηλεκτρονικού ταχυδρομείου ως αποστολέα apps/frappe/frappe/templates/includes/comments/comments.html +21,Login to comment,Συνδεθείτε για να σχολιάσετε apps/frappe/frappe/core/page/data_import_tool/data_import_tool.py +13,Start entering data below this line,Ξεκινήστε την εισαγωγή δεδομένων κάτω από αυτή τη γραμμή -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +473,changed values for {0},μεταβολή των τιμών για {0} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +474,changed values for {0},μεταβολή των τιμών για {0} DocType: Workflow State,retweet,Retweet -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +53,Update the template and save in CSV (Comma Separate Values) format before attaching.,Ενημερώστε το πρότυπο και αποθηκεύστε το σε μορφή csv (Comma Separated Values) πριν την επισύναψη. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +219,Specify the value of the field,Καθορίστε την τιμή του πεδίου +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +220,Specify the value of the field,Καθορίστε την τιμή του πεδίου DocType: Report,Disabled,Απενεργοποιημένο DocType: Workflow State,eye-close,Eye-close DocType: OAuth Provider Settings,OAuth Provider Settings,Ρυθμίσεις Provider OAuth @@ -844,9 +848,9 @@ DocType: Address,Is Your Company Address,Η εταιρεία σας Διεύθυ apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +4,Editing Row,Επεξεργασία Σειρά DocType: Workflow Action,Workflow Action Master,Κύρια εγγραφή ενέργειας ροής εργασίας DocType: Custom Field,Field Type,Τύπος πεδίου -apps/frappe/frappe/utils/data.py +446,only.,Μόνο. +apps/frappe/frappe/utils/data.py +447,only.,Μόνο. apps/frappe/frappe/utils/password_strength.py +113,Avoid years that are associated with you.,Αποφύγετε χρόνια που σχετίζονται με σας. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +657,Descending,Φθίνουσα +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +658,Descending,Φθίνουσα apps/frappe/frappe/email/receive.py +59,Invalid Mail Server. Please rectify and try again.,Άκυρος διακομιστής mail. Παρακαλώ διορθώστε και δοκιμάστε ξανά . DocType: DocField,"For Links, enter the DocType as range. For Select, enter list of Options, each on a new line.","Για τις συνδέσεις, εισάγετε το DocType και εύρος. Για Επιλογή, μπείτε στη λίστα των επιλογών, το καθένα σε μια νέα γραμμή." @@ -855,15 +859,14 @@ apps/frappe/frappe/model/db_query.py +380,No permission to read {0},Δεν έχ apps/frappe/frappe/config/desktop.py +8,Tools,Εργαλεία apps/frappe/frappe/utils/password_strength.py +112,Avoid recent years.,Αποφύγετε τα τελευταία χρόνια. apps/frappe/frappe/utils/nestedset.py +229,Multiple root nodes not allowed.,Δεν επιτρέπονται πολλαπλοί κόμβοι ρίζες. -apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,Δεν έχει ρυθμιστεί ο λογαριασμός ηλεκτρονικού ταχυδρομείου. Δημιουργήστε ένα νέο λογαριασμό ηλεκτρονικού ταχυδρομείου από το Setup> Email> Email Account DocType: Note,"If enabled, users will be notified every time they login. If not enabled, users will only be notified once.","Εάν είναι ενεργοποιημένη, οι χρήστες θα ενημερώνονται κάθε φορά που θα συνδεθούν. Εάν δεν είναι ενεργοποιημένη, οι χρήστες θα ειδοποιηθούν μόνο μία φορά." DocType: OAuth Client,"If checked, users will not see the Confirm Access dialog.","Αν επιλεγεί, οι χρήστες δεν θα δείτε το παράθυρο διαλόγου Επιβεβαίωση πρόσβασης." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +535,ID field is required to edit values using Report. Please select the ID field using the Column Picker,Πεδίο απαιτείται ταυτότητα για να επεξεργαστείτε τις τιμές χρησιμοποιώντας Έκθεση. Παρακαλώ επιλέξτε το πεδίο ID χρησιμοποιώντας τον επιλογέα Στήλη +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +536,ID field is required to edit values using Report. Please select the ID field using the Column Picker,Πεδίο απαιτείται ταυτότητα για να επεξεργαστείτε τις τιμές χρησιμοποιώντας Έκθεση. Παρακαλώ επιλέξτε το πεδίο ID χρησιμοποιώντας τον επιλογέα Στήλη apps/frappe/frappe/public/js/frappe/model/model.js +25,Comments,Σχόλια apps/frappe/frappe/public/js/frappe/ui/modal.html +17,Confirm,Επιβεβαίωση apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +50,Collapse All,Σύμπτυξη όλων apps/frappe/frappe/desk/page/applications/applications.js +164,Install {0}?,Εγκαταστήστε {0}; -apps/frappe/frappe/www/login.html +71,Forgot Password?,Ξέχασες τον κωδικό? +apps/frappe/frappe/www/login.html +76,Forgot Password?,Ξέχασες τον κωδικό? DocType: System Settings,yyyy-mm-dd,Εεεε-μμ-ηη apps/frappe/frappe/public/js/frappe/model/model.js +17,ID,ταυτότητα apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +97,Server Error,Σφάλμα Διακομιστή @@ -890,7 +893,7 @@ DocType: User,Facebook User ID,Facebook user id DocType: Workflow State,fast-forward,Fast-forward DocType: Communication,Communication,Επικοινωνία apps/frappe/frappe/printing/page/print_format_builder/print_format_builder_column_selector.html +1,"Check columns to select, drag to set order.","Ελέγξτε τις στήλες για να επιλέξετε, σύρετε για να αλλάξετε την σειρά." -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +795,This is PERMANENT action and you cannot undo. Continue?,Αυτό είναι μόνιμη δράση και δεν μπορείτε να αναιρέσετε. Συνέχεια; +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +796,This is PERMANENT action and you cannot undo. Continue?,Αυτό είναι μόνιμη δράση και δεν μπορείτε να αναιρέσετε. Συνέχεια; DocType: Event,Every Day,Κάθε μέρα DocType: LDAP Settings,Password for Base DN,Κωδικό πρόσβασης για το DN Βάσης apps/frappe/frappe/core/doctype/version/version_view.html +73,Table Field,Πίνακας πεδίο @@ -914,14 +917,14 @@ DocType: Workflow State,align-justify,Ευθυγράμμιση σε όλη τη DocType: User,Middle Name (Optional),Πατρώνυμο (προαιρετικό) apps/frappe/frappe/public/js/frappe/request.js +87,Not Permitted,Δεν επιτρέπεται apps/frappe/frappe/public/js/frappe/ui/field_group.js +79,Following fields have missing values:,Μετά πεδία έχουν τις τιμές που λείπουν: -apps/frappe/frappe/app.py +149,You do not have enough permissions to complete the action,Δεν έχετε επαρκή δικαιώματα για την ολοκλήρωση της δράσης -apps/frappe/frappe/public/js/frappe/form/link_selector.js +102,No Results,Δεν υπάρχουν αποτελέσματα +apps/frappe/frappe/app.py +150,You do not have enough permissions to complete the action,Δεν έχετε επαρκή δικαιώματα για την ολοκλήρωση της δράσης +apps/frappe/frappe/public/js/frappe/form/link_selector.js +103,No Results,Δεν υπάρχουν αποτελέσματα DocType: System Settings,Security,Ασφάλεια -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +48,Scheduled to send to {0} recipients,Προγραμματισμένη για να αποσταλεί σε {0} αποδέκτες +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +49,Scheduled to send to {0} recipients,Προγραμματισμένη για να αποσταλεί σε {0} αποδέκτες apps/frappe/frappe/model/rename_doc.py +79,renamed from {0} to {1},μετονομάστηκε από {0} έως {1} DocType: Currency,**Currency** Master,Κύρια εγγραφή ** νομίσματος ** DocType: Email Account,No of emails remaining to be synced,Αριθμός μηνυμάτων ηλεκτρονικού ταχυδρομείου που απομένουν να συγχρονιστεί -apps/frappe/frappe/public/js/frappe/upload.js +201,Uploading,Μεταφόρτωση +apps/frappe/frappe/public/js/frappe/upload.js +202,Uploading,Μεταφόρτωση apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +84,Please save the document before assignment,Παρακαλούμε να αποθηκεύσετε το έγγραφο πριν από το διορισμό DocType: Website Settings,Address and other legal information you may want to put in the footer.,Η διεύθυνση και άλλα νομικά στοιχεία που μπορεί να θέλετε να βάλετε στο υποσέλιδο. DocType: Website Sidebar Item,Website Sidebar Item,Ιστοσελίδα Sidebar Στοιχείο @@ -940,7 +943,7 @@ apps/frappe/frappe/desk/page/applications/applications.py +112,Downloading App { DocType: Communication,Feedback Request,feedback Αίτηση apps/frappe/frappe/website/doctype/web_form/web_form.py +53,Following fields are missing:,Ακόλουθα πεδία λείπουν: apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,Experimental Feature,πειραματικό Χαρακτηριστικό -apps/frappe/frappe/www/login.html +25,Sign in,Συνδεθείτε +apps/frappe/frappe/www/login.html +30,Sign in,Συνδεθείτε DocType: Web Page,Main Section,Κύριο τμήμα DocType: Page,Icon,Εικονίδιο apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +55,to filter values between 5 & 10,να φιλτράρετε τιμές μεταξύ 5 και 10 @@ -950,7 +953,7 @@ DocType: System Settings,dd/mm/yyyy,Ηη/μμ/εεεε DocType: System Settings,Backups,αντίγραφα ασφαλείας apps/frappe/frappe/core/doctype/communication/communication.js +77,Add Contact,Προσθέστε επαφή DocType: Email Alert Recipient,Optional: Always send to these ids. Each Email Address on a new row,Προαιρετικά: Πάντα στείλετε σε αυτές τις ταυτότητες. Κάθε διεύθυνση ηλεκτρονικού ταχυδρομείου σε μια νέα σειρά -apps/frappe/frappe/public/js/frappe/form/layout.js +105,Hide Details,Απόκρυψη Λεπτομέρειες +apps/frappe/frappe/public/js/frappe/form/layout.js +101,Hide Details,Απόκρυψη Λεπτομέρειες DocType: Workflow State,Tasks,Εργασίες DocType: Event,Tuesday,Τρίτη DocType: Blog Settings,Blog Settings,Ρυθμίσεις blog @@ -966,25 +969,25 @@ DocType: ToDo,Due Date,Ημερομηνία λήξης προθεσμίας apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +99,Quarter Day,Ημέρα τρίμηνο DocType: Social Login Keys,Google Client Secret,Google client secret DocType: Website Settings,Hide Footer Signup,Απόκρυψη Υποσέλιδο Εγγραφή -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +420,cancelled this document,ακυρωθεί αυτό το έγγραφο +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +421,cancelled this document,ακυρωθεί αυτό το έγγραφο apps/frappe/frappe/core/doctype/report/report.js +16,Write a Python file in the same folder where this is saved and return column and result.,Γράψτε ένα αρχείο python στον ίδιο φάκελο όπου αυτό αποθηκεύεται και επέστρεψε στήλη και αποτέλεσμα. DocType: DocType,Sort Field,Πεδίο ταξινόμησης DocType: Razorpay Settings,Razorpay Settings,Ρυθμίσεις Razorpay -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +670,Edit Filter,Επεξεργασία φίλτρου +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +669,Edit Filter,Επεξεργασία φίλτρου apps/frappe/frappe/core/doctype/doctype/doctype.py +395,Field {0} of type {1} cannot be mandatory,Το πεδίο {0} με τύπο {1} δεν μπορεί να είναι υποχρεωτικό DocType: System Settings,"eg. If Apply User Permissions is checked for Report DocType but no User Permissions are defined for Report for a User, then all Reports are shown to that User","πχ. Εάν εφαρμόσετε δικαιώματα χρήσης ελέγχεται για την Έκθεση DocType αλλά δεν τα δικαιώματα των χρηστών που ορίζονται για την αναφορά για ένα χρήστη, τότε όλες οι αναφορές που φαίνεται στο εν λόγω Χρήστη" apps/frappe/frappe/public/js/frappe/ui/charts.js +101,Hide Chart,Απόκρυψη Διάγραμμα DocType: System Settings,Session Expiry Mobile,Συνεδρία λήξης Κινητό apps/frappe/frappe/templates/includes/search_box.html +19,Search results for,Αποτελέσματα αναζήτησης για apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +851,Select To Download:,Επιλέξτε για να κατεβάσετε : -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +425,If {0} is permitted,Αν {0} επιτρέπεται +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +427,If {0} is permitted,Αν {0} επιτρέπεται DocType: Custom DocPerm,If user is the owner,Εάν ο χρήστης είναι ο ιδιοκτήτης ,Activity,Δραστηριότητα DocType: Note,"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Βοήθεια: για να συνδέσετε με άλλη εγγραφή στο σύστημα, χρησιμοποιήστε '""#Form/Note/[Note Name]', σαν διεύθυνση url σύνδεσης. (Δεν χρησιμοποιείται 'http://')" apps/frappe/frappe/utils/password_strength.py +90,Let's avoid repeated words and characters,Ας αποφεύγουν επαναλαμβανόμενες λέξεις και χαρακτήρες DocType: Communication,Delayed,Καθυστερημένη apps/frappe/frappe/config/setup.py +128,List of backups available for download,Κατάλογος των αντιγράφων ασφαλείας διαθέσιμο για download -apps/frappe/frappe/www/login.html +84,Sign up,Εγγραφή +apps/frappe/frappe/www/login.html +89,Sign up,Εγγραφή DocType: Integration Request,Output,Παραγωγή apps/frappe/frappe/config/setup.py +220,Add fields to forms.,Προσθήκη πεδίων σε φόρμες. DocType: File,rgt,Rgt @@ -995,7 +998,7 @@ DocType: User Email,Email ID,Email ID DocType: OAuth Client,A list of resources which the Client App will have access to after the user allows it.
    e.g. project,Ο κατάλογος των πόρων που θα έχει η εφαρμογή πελάτη πρόσβαση σε αφού ο χρήστης το επιτρέπει.
    π.χ. έργου DocType: Translation,Translated Text,μεταφρασμένο κείμενο DocType: Contact Us Settings,Query Options,Επιλογές ερωτημάτων -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +156,Import Successful!,Εισαγωγή επιτυχής! +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +159,Import Successful!,Εισαγωγή επιτυχής! apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +40,Updating Records,εγγραφές ενημέρωση DocType: Error Snapshot,Timestamp,Χρονοθέτηση DocType: Patch Log,Patch Log,Αρχείο καταγραφής patch @@ -1009,14 +1012,14 @@ DocType: System Settings,Setup Complete,Η εγκατάσταση ολοκληρ apps/frappe/frappe/config/setup.py +66,Report of all document shares,Έκθεση του συνόλου των κοινοποιήσεων του εγγράφου apps/frappe/frappe/www/update-password.html +18,New Password,Νέος κωδικός apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +314,Filter {0} missing,Φίλτρο {0} λείπει -apps/frappe/frappe/core/doctype/communication/communication.py +106,Sorry! You cannot delete auto-generated comments,Συγνώμη! Δεν μπορείτε να διαγράψετε δημιουργείται αυτόματα σχόλια +apps/frappe/frappe/core/doctype/communication/communication.py +107,Sorry! You cannot delete auto-generated comments,Συγνώμη! Δεν μπορείτε να διαγράψετε δημιουργείται αυτόματα σχόλια DocType: Website Theme,Style using CSS,Στυλ χρήση CSS apps/frappe/frappe/core/doctype/communication/communication.js +100,Reference DocType,Τύπος εγγράφου αναφοράς DocType: User,System User,Χρήστης συστήματος DocType: Report,Is Standard,Είναι πρότυπο DocType: Desktop Icon,_report,_κανω ΑΝΑΦΟΡΑ DocType: DocField,"Don't HTML Encode HTML tags like <script> or just characters like < or >, as they could be intentionally used in this field","Μην ετικέτες HTML Encode HTML όπως <script> ή απλά χαρακτήρες όπως <ή>, καθώς θα μπορούσαν να χρησιμοποιούνται σκόπιμα σε αυτό το πεδίο" -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +274,Specify a default value,Καθορίστε μια προεπιλεγμένη τιμή +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +275,Specify a default value,Καθορίστε μια προεπιλεγμένη τιμή DocType: Website Settings,FavIcon,Favicon apps/frappe/frappe/core/doctype/feedback_trigger/feedback_trigger.py +112,At least one reply is mandatory before requesting feedback,Τουλάχιστον μία απάντηση είναι υποχρεωτική πριν από την αίτηση σχόλια DocType: Workflow State,minus-sign,Minus-sign @@ -1027,7 +1030,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +91,Export Cu DocType: Authentication Log,Login,Σύνδεση DocType: Web Form,Payments,Πληρωμές DocType: System Settings,Enable Scheduled Jobs,Ενεργοποίηση χρονοπρογραμματισμένων εργασιών -apps/frappe/frappe/core/page/data_import_tool/exporter.py +60,Notes:,Σημειώσεις: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Notes:,Σημειώσεις: apps/frappe/frappe/www/message.html +19,Status: {0},Κατάσταση: {0} DocType: DocShare,Document Name,Όνομα εγγράφου apps/frappe/frappe/core/doctype/communication/communication.js +82,Mark as Spam,Επισήμανση ως ανεπιθύμητο @@ -1041,7 +1044,7 @@ apps/frappe/frappe/config/setup.py +46,Show or hide modules globally.,Εμφάν apps/frappe/frappe/core/report/feedback_ratings/feedback_ratings.js +33,From Date,Από ημερομηνία apps/frappe/frappe/core/doctype/version/version_view.html +47,Success,Επιτυχία apps/frappe/frappe/public/js/frappe/feedback.js +95,Feedback Request for {0} is sent to {1},Feedback Αίτηση {0} έχει αποσταλεί στο {1} -apps/frappe/frappe/public/js/frappe/desk.js +341,Session Expired,Η συνεδρία έληξε +apps/frappe/frappe/public/js/frappe/desk.js +343,Session Expired,Η συνεδρία έληξε DocType: Kanban Board Column,Kanban Board Column,Kanban Διοικητικό Στήλη apps/frappe/frappe/utils/password_strength.py +72,Straight rows of keys are easy to guess,Ευθείες γραμμές των πλήκτρων είναι εύκολο να μαντέψει DocType: Communication,Phone No.,Αριθμός τηλεφώνου @@ -1051,7 +1054,7 @@ DocType: Workflow State,picture,Εικόνα apps/frappe/frappe/www/complete_signup.html +22,Complete,Πλήρης DocType: Customize Form,Image Field,Το πεδίο εικόνα DocType: Print Format,Custom HTML Help,Προσαρμοσμένη Βοήθεια HTML -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +306,Add A New Restriction,Προσθήκη νέος περιορισμός +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +308,Add A New Restriction,Προσθήκη νέος περιορισμός apps/frappe/frappe/website/doctype/contact_us_settings/contact_us_settings.js +3,See on Website,Δείτε την ιστοσελίδα DocType: Workflow Transition,Next State,Επόμενη κατάσταση DocType: User,Block Modules,Αποκλεισμός Ενότητες @@ -1066,7 +1069,7 @@ DocType: Email Account,Default Incoming,Προεπιλεγμένα εισερχ DocType: Workflow State,repeat,Επανάληψη DocType: Website Settings,Banner,Banner DocType: Role,"If disabled, this role will be removed from all users.","Αν απενεργοποιηθεί, ο ρόλος αυτός θα πρέπει να αφαιρεθεί από όλους τους χρήστες." -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +126,Help on Search,Βοήθεια για αναζήτηση +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +125,Help on Search,Βοήθεια για αναζήτηση apps/frappe/frappe/core/doctype/user/user.py +707,Registered but disabled,Εγγεγραμμένοι αλλά άτομα με ειδικές ανάγκες DocType: DocType,Hide Copy,Απόκρυψη αντιγράφου apps/frappe/frappe/public/js/frappe/roles_editor.js +38,Clear all roles,Καταργήστε όλους τους ρόλους @@ -1089,13 +1092,13 @@ DocType: Custom DocPerm,Delete,Διαγραφή apps/frappe/frappe/public/js/frappe/views/treeview.js +212,New {0},Νέο {0} apps/frappe/frappe/core/page/user_permissions/user_permissions.js +199,No User Restrictions found.,Δεν βρέθηκαν Περιορισμοί χρήσης. apps/frappe/frappe/email/doctype/email_account/email_account_list.js +10,Default Inbox,Προεπιλογμένος φάκελος εισερχομένων -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +42,Make a new,Δημιουργία νέου +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +58,Make a new,Δημιουργία νέου DocType: Print Settings,PDF Page Size,Μέγεθος σελίδας pdf apps/frappe/frappe/public/js/frappe/list/list_permission_footer.html +20,Note: fields having empty value for above criteria are not filtered out.,Σημείωση: τα πεδία με κενή τιμή για το παραπάνω κριτήρια δεν φιλτράρονται. DocType: Communication,Recipient Unsubscribed,Παραλήπτης Αδιάθετων DocType: Feedback Request,Is Sent,αποστέλλεται apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +61,About,Σχετικά -apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,"For updating, you can update only selective columns.","Για ενημέρωση, μπορείτε να ενημερώσετε επιλεκτικές μόνο στήλες." +apps/frappe/frappe/core/page/data_import_tool/exporter.py +67,"For updating, you can update only selective columns.","Για ενημέρωση, μπορείτε να ενημερώσετε επιλεκτικές μόνο στήλες." DocType: System Settings,Country,Χώρα apps/frappe/frappe/geo/doctype/address/address.py +129,Addresses,Διευθύνσεις DocType: Communication,Shared,κοινόχρηστο @@ -1125,12 +1128,12 @@ apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +48,"%s one of the following %s",%s δεν είναι έγκυρη μορφή έκθεσης. Αναφορά μορφή θα πρέπει να \ ένα από τα ακόλουθα %s DocType: Communication,Chat,Κουβέντα apps/frappe/frappe/core/doctype/doctype/doctype.py +391,Fieldname {0} appears multiple times in rows {1},Το όνομα πεδίου {0} εμφανίζεται πολλαπλές φορές στις γραμμές {1} -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +459,{0} from {1} to {2} in row #{3},{0} από {1} έως {2} στη σειρά # {3} +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +460,{0} from {1} to {2} in row #{3},{0} από {1} έως {2} στη σειρά # {3} DocType: Communication,Expired,Έληξε DocType: Customize Form Field,Number of columns for a field in a Grid (Total Columns in a grid should be less than 11),Αριθμό των στηλών για ένα πεδίο σε ένα πλέγμα (Σύνολο Στήλες σε ένα πλέγμα πρέπει να είναι μικρότερο από 11) DocType: DocType,System,Σύστημα DocType: Web Form,Max Attachment Size (in MB),Max Συνημμένο Μέγεθος (σε MB) -apps/frappe/frappe/www/login.html +88,Have an account? Login,Έχετε λογαριασμό; Σύνδεση +apps/frappe/frappe/www/login.html +93,Have an account? Login,Έχετε λογαριασμό; Σύνδεση apps/frappe/frappe/public/js/legacy/print_format.js +148,Unknown Print Format: {0},Άγνωστη μορφή Εκτύπωση: {0} DocType: Workflow State,arrow-down,Βέλος προς τα κάτω apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Collapse,Σύμπτυξη @@ -1143,12 +1146,12 @@ apps/frappe/frappe/core/page/modules_setup/modules_setup.html +32,Global Setting DocType: Custom Role,Custom Role,Προσαρμοσμένη ρόλος apps/frappe/frappe/core/doctype/file/test_file.py +57,Home/Test Folder 2,Αρχική Σελίδα / φάκελο Test 2 DocType: System Settings,Ignore User Permissions If Missing,Αγνοήστε τα δικαιώματα των χρηστών σε περίπτωση μη ύπαρξης -apps/frappe/frappe/public/js/frappe/form/control.js +962,Please save the document before uploading.,Παρακαλώ να αποθηκεύσετε το έγγραφο πριν από την αποστολή. -apps/frappe/frappe/public/js/frappe/ui/messages.js +206,Enter your password,Εισάγετε τον κωδικό σας +apps/frappe/frappe/public/js/frappe/form/control.js +963,Please save the document before uploading.,Παρακαλώ να αποθηκεύσετε το έγγραφο πριν από την αποστολή. +apps/frappe/frappe/public/js/frappe/ui/messages.js +207,Enter your password,Εισάγετε τον κωδικό σας DocType: Dropbox Settings,Dropbox Access Secret,Dropbox access secret apps/frappe/frappe/templates/includes/comments/comments.html +119,Add Another Comment,Προσθέστε άλλο ένα σχόλιο apps/frappe/frappe/public/js/frappe/form/toolbar.js +171,Edit DocType,Επεξεργασία DocType -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +133,Unsubscribed from Newsletter,Αδιάθετες από Ενημερωτικό Δελτίο +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,Unsubscribed from Newsletter,Αδιάθετες από Ενημερωτικό Δελτίο apps/frappe/frappe/core/doctype/doctype/doctype.py +487,Fold must come before a Section Break,Διπλώστε πρέπει να προηγηθεί μια αλλαγή ενότητας apps/frappe/frappe/public/js/frappe/model/meta.js +189,Last Modified By,Τροποποιήθηκε τελευταία από DocType: Workflow State,hand-down,Hand-down @@ -1159,7 +1162,8 @@ DocType: OAuth Authorization Code,Redirect URI Bound To Auth Code,Ανακατε DocType: DocType,Is Submittable,Είναι υποβλητέο apps/frappe/frappe/custom/doctype/property_setter/property_setter.js +7,Value for a check field can be either 0 or 1,Η τιμή για ένα πεδίο ελέγχου μπορεί να είναι είτε 0 είτε 1 apps/frappe/frappe/model/document.py +634,Could not find {0},Δεν μπόρεσα να βρω {0} -apps/frappe/frappe/core/page/data_import_tool/exporter.py +264,Column Labels:,Ετικέτες στήλης: +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +54,Download in Excel File Format,Λήψη σε μορφή αρχείου Excel +apps/frappe/frappe/core/page/data_import_tool/exporter.py +265,Column Labels:,Ετικέτες στήλης: apps/frappe/frappe/model/naming.py +67,Naming Series mandatory,Η σειρά ονομασίας είναι απαραίτητη DocType: Social Login Keys,Facebook Client ID,Facebook client id DocType: Workflow State,Inbox,Εισερχόμενα @@ -1176,7 +1180,7 @@ DocType: Website Sidebar Item,Group,Ομάδα DocType: Footer Item,"Select target = ""_blank"" to open in a new page.","Επιλέξτε target = "" _blank "" για να ανοίξει σε μια νέα σελίδα ." apps/frappe/frappe/public/js/frappe/model/model.js +470,Permanently delete {0}?,Οριστική διαγραφή {0} ; apps/frappe/frappe/core/doctype/file/file.py +151,Same file has already been attached to the record,Το ίδιο αρχείο έχει ήδη επισυναφθεί στην εγγραφή -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +83,Ignore encoding errors.,Αγνοήστε τα σφάλματα κωδικοποίησης. +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +93,Ignore encoding errors.,Αγνοήστε τα σφάλματα κωδικοποίησης. DocType: Auto Email Report,XLS,XLS DocType: Workflow State,wrench,Wrench apps/frappe/frappe/desk/page/applications/applications.js +45,Not Set,Δεν έχει οριστεί @@ -1195,24 +1199,25 @@ apps/frappe/frappe/utils/backups.py +159,Download link for your backup will be e apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +14,"Meaning of Submit, Cancel, Amend","Σημασία των υποβολή, ακύρωση, τροποποίηση" apps/frappe/frappe/desk/doctype/todo/todo_list.js +7,To Do,Εκκρεμότητες apps/frappe/frappe/core/page/user_permissions/user_permissions.js +133,Any existing permission will be deleted / overwritten.,Κάθε υπάρχων δικαίωμα θα διαγραφεί / αντικατασταθεί. -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +659,Then By (optional),"Στη συνέχεια, με (προαιρετικό)" +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +660,Then By (optional),"Στη συνέχεια, με (προαιρετικό)" DocType: File,Preview HTML,Preview HTML DocType: Desktop Icon,query-report,query-έκθεση apps/frappe/frappe/desk/doctype/todo/todo.py +20,Assigned to {0}: {1},Ανατέθηκε σε {0}: {1} apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +123,Filters saved,φίλτρα αποθηκεύονται DocType: DocField,Percent,Τοις εκατό -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +419,Please set filters,Παρακαλούμε να ορίσετε φίλτρα +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +430,Please set filters,Παρακαλούμε να ορίσετε φίλτρα apps/frappe/frappe/public/js/frappe/form/linked_with.js +29,Linked With,Συνδέεται με την DocType: Workflow State,book,Καταχώρηση DocType: Website Settings,Landing Page,Σελίδα προσέλευσης apps/frappe/frappe/public/js/frappe/form/script_manager.js +109,Error in Custom Script,Σφάλμα στην προσαρμοσμένη δέσμη ενεργειών apps/frappe/frappe/public/js/frappe/form/quick_entry.js +29,{0} Name,{0} Όνομα -apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +129,"Import Request Queued. This may take a few moments, please be patient.","Αίτηση εισαγωγής αναμονή. Αυτό μπορεί να διαρκέσει μερικά λεπτά, παρακαλώ να είστε υπομονετικοί." +apps/frappe/frappe/core/page/data_import_tool/data_import_tool.js +132,"Import Request Queued. This may take a few moments, please be patient.","Αίτηση εισαγωγής αναμονή. Αυτό μπορεί να διαρκέσει μερικά λεπτά, παρακαλώ να είστε υπομονετικοί." apps/frappe/frappe/core/page/permission_manager/permission_manager.js +162,No Permissions set for this criteria.,Δεν έχουν οριστεί δικαιώματα για τα εν λόγω κριτήρια. DocType: Auto Email Report,Auto Email Report,Auto Email Έκθεση apps/frappe/frappe/core/page/usage_info/usage_info.html +51,Max Emails,max Emails -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +574,Delete comment?,Διαγραφή σχόλιο; +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +575,Delete comment?,Διαγραφή σχόλιο; DocType: Address Template,This format is used if country specific format is not found,Αυτή η μορφοποίηση χρησιμοποιείται εάν δεν βρεθεί ειδική μορφοποίηση χώρας +DocType: System Settings,Allow Login using Mobile Number,Να επιτρέπεται η σύνδεση χρησιμοποιώντας τον αριθμό κινητού τηλεφώνου apps/frappe/frappe/public/js/frappe/request.js +104,You do not have enough permissions to access this resource. Please contact your manager to get access.,Δεν έχετε επαρκή δικαιώματα για να αποκτήσετε πρόσβαση σε αυτόν τον πόρο. Επικοινωνήστε με το διαχειριστή σας για να αποκτήσετε πρόσβαση. DocType: Custom Field,Custom,Προσαρμοσμένο apps/frappe/frappe/config/setup.py +150,Setup Email Alert based on various criteria.,Ρύθμιση ειδοποήσεων email με βάση διάφορα κριτήρια. @@ -1238,7 +1243,7 @@ DocType: Workflow State,step-backward,Βήμα προς τα πίσω apps/frappe/frappe/utils/boilerplate.py +262,{app_title},{app_title} apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +43,Please set Dropbox access keys in your site config,Παρακαλώ ορίστε τα κλειδιά πρόσβασης dropbox στις ρυθμίσεις του site σας apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +16,Delete this record to allow sending to this email address,Διαγραφή αυτής της εγγραφής για να επιτρέψει την αποστολή σε αυτήν τη διεύθυνση ηλεκτρονικού ταχυδρομείου -apps/frappe/frappe/core/page/data_import_tool/exporter.py +65,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,Μόνο τα υποχρεωτικά πεδία είναι απαραίτητα για νέες εγγραφές. Μπορείτε να διαγράψετε μη υποχρεωτικές στήλες εάν το επιθυμείτε. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +66,Only mandatory fields are necessary for new records. You can delete non-mandatory columns if you wish.,Μόνο τα υποχρεωτικά πεδία είναι απαραίτητα για νέες εγγραφές. Μπορείτε να διαγράψετε μη υποχρεωτικές στήλες εάν το επιθυμείτε. apps/frappe/frappe/public/js/frappe/views/calendar/calendar.js +267,Unable to update event,Δεν είναι δυνατή η ενημέρωση εκδήλωση apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +304,Payment Complete,Πλήρης πληρωμή apps/frappe/frappe/utils/bot.py +89,show,προβολή @@ -1249,6 +1254,7 @@ DocType: Workflow State,map-marker,Σήμανση χάρτη apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +39,Submit an Issue,Υποβολή προβλήματος DocType: Event,Repeat this Event,Επανάληψη αυτού του συμβάντος DocType: Contact,Maintenance User,Χρήστης συντήρησης +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +653,Sorting Preferences,Προτιμήσεις ταξινόμησης apps/frappe/frappe/utils/password_strength.py +120,Avoid dates and years that are associated with you.,Αποφύγετε τις ημερομηνίες και τα χρόνια που σχετίζονται με σας. DocType: Custom DocPerm,Amend,Τροποποίηση DocType: File,Is Attachments Folder,Είναι Συνημμένα Φάκελος @@ -1274,9 +1280,9 @@ DocType: DocType,Route,Διαδρομή apps/frappe/frappe/config/integrations.py +23,Razorpay Payment gateway settings,Ρυθμίσεις πύλη πληρωμής Razorpay DocType: DocField,Name,Όνομα apps/frappe/frappe/limits.py +193,You have exceeded the max space of {0} for your plan. {1}.,Έχετε υπερβεί το μέγιστο χώρο του {0} για το σχέδιό σας. {1}. -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +375,Search the docs,Αναζήτηση στα έγγραφα +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +376,Search the docs,Αναζήτηση στα έγγραφα DocType: OAuth Authorization Code,Valid,Έγκυρος -apps/frappe/frappe/public/js/frappe/form/control.js +1225,Open Link,Άνοιγμα συνδέσμου +apps/frappe/frappe/public/js/frappe/form/control.js +1226,Open Link,Άνοιγμα συνδέσμου apps/frappe/frappe/desk/form/load.py +46,Did not load,Δεν έγινε η φόρτωση apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +233,Add Row,Προσθήκη Row DocType: Tag Category,Doctypes,doctypes @@ -1291,7 +1297,7 @@ DocType: Workflow State,align-center,Ευθυγράμμιση στο κέντρ DocType: Feedback Request,Is Feedback request triggered manually ?,Είναι αίτημα Σχόλια ενεργοποιείται χειροκίνητα; apps/frappe/frappe/public/js/frappe/form/templates/set_sharing.html +6,Can Write,Μπορεί Γράψτε apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +16,"Certain documents, like an Invoice, should not be changed once final. The final state for such documents is called Submitted. You can restrict which roles can Submit.","Ορισμένα έγγραφα, όπως ένα τιμολόγιο, δεν θα πρέπει να αλλάξουν αφού οριστικοποιηθούν. Η τελική κατάσταση των εν λόγω εγγράφων ονομάζεται υποβεβλημένο. Μπορείτε να ορίσετε ποιοι ρόλοι έχουν δικαίωμα υποβολής." -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +809,You are not allowed to export this report,Δεν επιτρέπεται να εξάγουν αυτή την έκθεση +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +820,You are not allowed to export this report,Δεν επιτρέπεται να εξάγουν αυτή την έκθεση apps/frappe/frappe/public/js/frappe/list/list_view.js +805,1 item selected,1 επιλεγμένο στοιχείο DocType: Newsletter,Test Email Address,Δοκιμή διεύθυνση ηλεκτρονικού ταχυδρομείου DocType: ToDo,Sender,Αποστολέας @@ -1330,7 +1336,7 @@ apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Removed,σε apps/frappe/frappe/permissions.py +393,{0} {1} not found,{0} {1} Δεν βρέθηκε DocType: Communication,Attachment Removed,το συνημμένο καταργήθηκε apps/frappe/frappe/utils/password_strength.py +110,Recent years are easy to guess.,Τα τελευταία χρόνια είναι εύκολο να μαντέψει κανείς. -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +270,Show a description below the field,Δείτε την περιγραφή κάτω από το πεδίο +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +271,Show a description below the field,Δείτε την περιγραφή κάτω από το πεδίο DocType: DocType,ASC,ASC DocType: Workflow State,align-left,Ευθυγράμμιση αριστερά DocType: User,Defaults,Προεπιλογές @@ -1341,7 +1347,7 @@ DocType: Dynamic Link,Link Title,Τίτλος Σύνδεσμος DocType: Workflow State,fast-backward,Fast-backward DocType: DocShare,DocShare,DocShare DocType: Event,Friday,Παρασκευή -apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +735,Edit in full page,Επεξεργασία σε πλήρη σελίδα +apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +737,Edit in full page,Επεξεργασία σε πλήρη σελίδα DocType: Authentication Log,User Details,Λεπτομέρειες χρήστη DocType: Report,Add Total Row,Προσθήκη γραμμής συνόλου apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +19,For example if you cancel and amend INV004 it will become a new document INV004-1. This helps you to keep track of each amendment.,"Για παράδειγμα, αν έχετε ακυρώσει και τροποποιήσει το «inv004» θα γίνει ένα νέο έγγραφο «inv004-1». Αυτό σας βοηθά να παρακολουθείτε κάθε τροπολογία." @@ -1359,8 +1365,8 @@ For e.g. 1 USD = 100 Cent","1 Νόμισμα = [?] κλάσμα για παράδειγμα 1 usd = 100 cent" apps/frappe/frappe/core/doctype/user/user.py +715,"Too many users signed up recently, so the registration is disabled. Please try back in an hour","Πάρα πολλοί χρήστες υπογράψει πρόσφατα, οπότε η εγγραφή είναι απενεργοποιημένη. Παρακαλώ δοκιμάστε ξανά σε μια ώρα" apps/frappe/frappe/core/page/permission_manager/permission_manager.js +375,Add New Permission Rule,Προσθήκη νέου κανόνα άδειας -apps/frappe/frappe/public/js/frappe/form/link_selector.js +24,You can use wildcard %,Μπορείτε να χρησιμοποιήσετε το χαρακτήρα μπαλαντέρ% -apps/frappe/frappe/public/js/frappe/upload.js +266,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Μόνο επεκτάσεις εικόνα (.gif, .jpg, .jpeg, .tiff, .png, .svg) επιτρέπονται" +apps/frappe/frappe/public/js/frappe/form/link_selector.js +26,You can use wildcard %,Μπορείτε να χρησιμοποιήσετε το χαρακτήρα μπαλαντέρ% +apps/frappe/frappe/public/js/frappe/upload.js +270,"Only image extensions (.gif, .jpg, .jpeg, .tiff, .png, .svg) allowed","Μόνο επεκτάσεις εικόνα (.gif, .jpg, .jpeg, .tiff, .png, .svg) επιτρέπονται" DocType: DocType,Database Engine,Μηχανισμός διαχείρισης βάσης δεδομένων DocType: Customize Form,"Fields separated by comma (,) will be included in the ""Search By"" list of Search dialog box","Τα πεδία που χωρίζονται με κόμμα (,) θα περιληφθούν στο πρόγραμμα "Αναζήτηση Με" λίστα παράθυρο διαλόγου Αναζήτηση" apps/frappe/frappe/website/doctype/website_theme/website_theme.py +35,Please Duplicate this Website Theme to customize.,Παρακαλούμε Διπλότυπο αυτή την ιστοσελίδα θέμα να προσαρμόσετε. @@ -1368,10 +1374,10 @@ DocType: DocField,Text Editor,Επεξεργαστής κειμένου apps/frappe/frappe/config/website.py +73,Settings for About Us Page.,Ρυθμίσεις για τη σελίδα προφίλ. apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +679,Edit Custom HTML,Επεξεργασία προσαρμοσμένου κώδικα HTML DocType: Error Snapshot,Error Snapshot,Στιγμιότυπο σφάλματος -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +706,In,σε +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +705,In,σε DocType: Email Alert,Value Change,Αλλαγή τιμής DocType: Standard Reply,Standard Reply,Πρότυπη απάντηση -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +231,Width of the input box,Το πλάτος του πεδίου εισόδου +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +232,Width of the input box,Το πλάτος του πεδίου εισόδου DocType: Address,Subsidiary,Θυγατρική DocType: System Settings,In Hours,Σε ώρες apps/frappe/frappe/public/js/frappe/list/list_view.js +705,With Letterhead,Με κεφαλίδα επιστολόχαρτου @@ -1386,13 +1392,12 @@ apps/frappe/frappe/email/doctype/email_group/email_group.js +13,Import Email Fro apps/frappe/frappe/email/doctype/contact/contact.js +20,Invite as User,Πρόσκληση ως χρήστη apps/frappe/frappe/public/js/frappe/views/communication.js +83,Select Attachments,Επιλογή συνημμένων apps/frappe/frappe/model/naming.py +95, for {0},για {0} -apps/frappe/frappe/website/js/web_form.js +302,There were errors. Please report this.,Υπήρξαν λάθη. Παρακαλούμε αναφέρετε αυτό. +apps/frappe/frappe/website/js/web_form.js +301,There were errors. Please report this.,Υπήρξαν λάθη. Παρακαλούμε αναφέρετε αυτό. apps/frappe/frappe/public/js/legacy/form.js +176,You are not allowed to print this document,Δεν επιτρέπεται να εκτυπώσετε το έγγραφο apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.py +103,Please set filters value in Report Filter table.,Παρακαλούμε να ορίσετε την αξία φίλτρα στον πίνακα Έκθεση Φίλτρο. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +364,Loading Report,Φόρτωση Έκθεση +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +375,Loading Report,Φόρτωση Έκθεση apps/frappe/frappe/limits.py +72,Your subscription will expire today.,Η συνδρομή σας θα λήξει σήμερα. DocType: Page,Standard,Πρότυπο -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +90,Find {0} in ,Βρείτε το {0} μέσα apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +46,Attach File,Επισυνάψετε Το Αρχείο apps/frappe/frappe/templates/emails/password_update.html +1,Password Update Notification,Ειδοποίηση ενημέρωσης κωδικού apps/frappe/frappe/desk/page/backups/backups.html +13,Size,Μέγεθος @@ -1403,9 +1408,9 @@ DocType: Deleted Document,New Name,Νέο όνομα DocType: Communication,Email Status,Κατάσταση email apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +111,Please save the document before removing assignment,Παρακαλούμε να αποθηκεύσετε το έγγραφο πριν από την αφαίρεση εκχώρηση apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +10,Insert Above,Εισαγωγή Πάνω -apps/frappe/frappe/utils/password_strength.py +163,Common names and surnames are easy to guess.,Κοινά ονόματα και επίθετα είναι εύκολο να μαντέψει κανείς. +apps/frappe/frappe/utils/password_strength.py +165,Common names and surnames are easy to guess.,Κοινά ονόματα και επίθετα είναι εύκολο να μαντέψει κανείς. apps/frappe/frappe/public/js/frappe/model/indicator.js +51,Draft,Προσχέδιο -apps/frappe/frappe/utils/password_strength.py +153,This is similar to a commonly used password.,Αυτό είναι παρόμοιο με μια ευρέως χρησιμοποιούμενη κωδικό πρόσβασης. +apps/frappe/frappe/utils/password_strength.py +155,This is similar to a commonly used password.,Αυτό είναι παρόμοιο με μια ευρέως χρησιμοποιούμενη κωδικό πρόσβασης. DocType: User,Female,Γυναίκα DocType: Print Settings,Modern,Σύγχρονος apps/frappe/frappe/desk/page/applications/applications.js +61,Search Results,Αποτελέσματα Αναζήτησης @@ -1413,7 +1418,7 @@ apps/frappe/frappe/public/js/frappe/model/indicator.js +19,Not Saved,Δεν Απ DocType: Communication,Replied,Απαντήθηκε DocType: Newsletter,Test,Δοκιμή DocType: Custom Field,Default Value,Προεπιλεγμένη τιμή -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify,Επαλήθευση +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify,Επαλήθευση DocType: Workflow Document State,Update Field,Ενημέρωση πεδίου apps/frappe/frappe/desk/doctype/bulk_update/bulk_update.py +36,Validation failed for {0},Η επικύρωση απέτυχε για {0} apps/frappe/frappe/desk/page/applications/applications.js +50,Regional Extensions,Περιφερειακή Επεκτάσεις @@ -1426,7 +1431,7 @@ apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +197,You cann DocType: Auto Email Report,Zero means send records updated at anytime,Το μηδέν σημαίνει αποστολή ενημερωμένων εκδόσεων ανά πάσα στιγμή apps/frappe/frappe/desk/page/setup_wizard/setup_wizard_page.html +18,Complete Setup,Ολοκλήρωση της εγκατάστασης DocType: Workflow State,asterisk,Αστερίσκος -apps/frappe/frappe/core/page/data_import_tool/exporter.py +61,Please do not change the template headings.,Παρακαλώ μην αλλάξετε τις επικεφαλίδες του προτύπου. +apps/frappe/frappe/core/page/data_import_tool/exporter.py +62,Please do not change the template headings.,Παρακαλώ μην αλλάξετε τις επικεφαλίδες του προτύπου. DocType: Communication,Linked,Συνδέεται apps/frappe/frappe/public/js/frappe/form/save.js +85,Enter the name of the new {0},Πληκτρολογήστε το όνομα της νέας {0} DocType: User,Frappe User ID,Φραπέ Αναγνωριστικό χρήστη @@ -1435,9 +1440,9 @@ DocType: Workflow State,shopping-cart,Καλάθι-αγορών apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Week,Εβδομάδα DocType: Social Login Keys,Google,Google DocType: Email Domain,Example Email Address,Παράδειγμα διεύθυνση ηλεκτρονικού ταχυδρομείου -apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +173,Most Used,Περισσότερο χρησιμοποιημένο -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Unsubscribe from Newsletter,Διαγραφή από το ενημερωτικό δελτίο -apps/frappe/frappe/www/login.html +96,Forgot Password,Ξεχάσατε τον κωδικό +apps/frappe/frappe/public/js/frappe/ui/sort_selector.js +182,Most Used,Περισσότερο χρησιμοποιημένο +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Unsubscribe from Newsletter,Διαγραφή από το ενημερωτικό δελτίο +apps/frappe/frappe/www/login.html +101,Forgot Password,Ξεχάσατε τον κωδικό DocType: Dropbox Settings,Backup Frequency,εφεδρική συχνότητα DocType: Workflow State,Inverse,Αντίστροφος DocType: DocField,User permissions should not apply for this Link,Τα δικαιώματα χρήστη δεν πρέπει να εφαρμόζονται για αυτή την σύνδεση @@ -1448,9 +1453,9 @@ apps/frappe/frappe/public/js/frappe/ui/filters/filter_dashboard_head.html +27,Nu apps/frappe/frappe/public/js/frappe/desk.js +16,Browser not supported,Το πρόγραμμα περιήγησης δεν υποστηρίζεται apps/frappe/frappe/templates/pages/integrations/stripe_checkout.py +27,Some information is missing,Ορισμένες πληροφορίες λείπουν DocType: Custom DocPerm,Cancel,Ακύρωση -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +109,Add to Desktop,Προσθήκη στο Desktop +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +110,Add to Desktop,Προσθήκη στο Desktop apps/frappe/frappe/core/doctype/file/file.py +136,File {0} does not exist,Φάκελος {0} δεν υπάρχει -apps/frappe/frappe/core/page/data_import_tool/exporter.py +98,Leave blank for new records,Αφήστε κενό για νέες εγγραφές +apps/frappe/frappe/core/page/data_import_tool/exporter.py +99,Leave blank for new records,Αφήστε κενό για νέες εγγραφές apps/frappe/frappe/config/website.py +63,List of themes for Website.,Κατάλογος των θεμάτων για την ιστοσελίδα. apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +84,Successfully Updated,επιτυχής ενημέρωση DocType: Authentication Log,Logout,Αποσύνδεση @@ -1463,7 +1468,7 @@ apps/frappe/frappe/core/doctype/doctype/doctype.py +550,Timeline field must be a DocType: Currency,Symbol,Σύμβολο apps/frappe/frappe/model/base_document.py +535,Row #{0}:,Γραμμή #{0}: apps/frappe/frappe/core/doctype/user/user.py +137,New password emailed,Ο νέος κωδικός απεστάλη μέσω e-mail -apps/frappe/frappe/auth.py +242,Login not allowed at this time,Η είσοδος δεν επιτρέπεται αυτή τη στιγμή +apps/frappe/frappe/auth.py +245,Login not allowed at this time,Η είσοδος δεν επιτρέπεται αυτή τη στιγμή DocType: Email Account,Email Sync Option,Email επιλογή Sync DocType: Async Task,Runtime,Διάρκεια DocType: Contact Us Settings,Introduction,Εισαγωγή @@ -1478,7 +1483,7 @@ apps/frappe/frappe/config/setup.py +240,Custom Tags,προσαρμοσμένες apps/frappe/frappe/desk/page/applications/applications.js +147,No matching apps found,Δεν βρέθηκαν να ταιριάζουν εφαρμογές DocType: Communication,Submitted,Υποβλήθηκε DocType: System Settings,Email Footer Address,Email Τελικοί Διεύθυνση -apps/frappe/frappe/public/js/frappe/form/grid.js +561,Table updated,Πίνακας ενημερώνεται +apps/frappe/frappe/public/js/frappe/form/grid.js +559,Table updated,Πίνακας ενημερώνεται DocType: Communication,Timeline DocType,Χρονοδιάγραμμα DocType DocType: DocField,Text,Κείμενο apps/frappe/frappe/config/setup.py +155,Standard replies to common queries.,Πρότυπες απαντήσεις σε συχνά ερωτήματα. @@ -1488,7 +1493,7 @@ apps/frappe/frappe/public/js/frappe/form/footer/timeline_item.html +160,Liked by DocType: Footer Item,Footer Item,υποσέλιδο Στοιχείο ,Download Backups,Λήψη αντιγράφων ασφαλείας apps/frappe/frappe/core/doctype/file/test_file.py +43,Home/Test Folder 1,Αρχική Σελίδα / Δοκιμή Φάκελος 1 -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +65,"Do not update, but insert new records.","Μην ενημέρωση, αλλά εισάγει νέες εγγραφές." +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +75,"Do not update, but insert new records.","Μην ενημέρωση, αλλά εισάγει νέες εγγραφές." apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +138,Assign to me,Ανάθεση σε μένα apps/frappe/frappe/core/doctype/file/file_list.js +80,Edit Folder,Επεξεργασία φακέλου DocType: DocField,Dynamic Link,Δυναμικός σύνδεσμος @@ -1501,9 +1506,10 @@ apps/frappe/frappe/integrations/doctype/stripe_settings/stripe_settings.py +38,S apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +3,Quick Help for Setting Permissions,Γρήγορη βοήθεια για τον καθορισμό των δικαιωμάτων DocType: Tag Doc Category,Doctype to Assign Tags,Doctype εκχώρησης Ετικέτες apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot.js +9,Show Relapses,Εμφάνιση Υποτροπές +apps/frappe/frappe/core/doctype/communication/communication.js +241,Email has been moved to trash,Το μήνυμα ηλεκτρονικού ταχυδρομείου έχει μεταφερθεί στον κάδο απορριμμάτων DocType: Report,Report Builder,Δημιουργός εκθέσεων DocType: Async Task,Task Name,Όνομα Εργασία -apps/frappe/frappe/app.py +143,"Your session has expired, please login again to continue.","Η συνεδρία σας έχει λήξει, παρακαλούμε συνδεθείτε ξανά για να συνεχίσετε." +apps/frappe/frappe/app.py +144,"Your session has expired, please login again to continue.","Η συνεδρία σας έχει λήξει, παρακαλούμε συνδεθείτε ξανά για να συνεχίσετε." DocType: Communication,Workflow,Ροή εργασίας apps/frappe/frappe/desk/page/applications/applications.py +99,Queued for backup and removing {0},Ουρά για δημιουργία αντιγράφων ασφαλείας και την αφαίρεση {0} DocType: Workflow State,Upload,Αποστολή στο διακομιστή @@ -1526,7 +1532,7 @@ DocType: Customize Form Field,"This field will appear only if the fieldname defi myfield eval:doc.myfield=='My Value' eval:doc.age>18",Αυτό το πεδίο θα εμφανιστεί μόνο αν η ΌνομαΠεδίου ορίζεται εδώ έχει αξία ή οι κανόνες είναι αλήθεια (παραδείγματα): myfield eval: doc.myfield == «Αξία μου» eval: doc.age> 18 -apps/frappe/frappe/public/js/frappe/form/control.js +655,Today,Σήμερα +apps/frappe/frappe/public/js/frappe/form/control.js +656,Today,Σήμερα apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +35,"Once you have set this, the users will only be able access documents (eg. Blog Post) where the link exists (eg. Blogger).","Αφού οριστεί, οι χρήστες θα έχουν πρόσβαση μονο σε έγγραφα ( π.Χ. Blog post), όπου υπάρχει σύνδεσμος ( π.Χ. Blogger ) ." DocType: Error Log,Log of Scheduler Errors,Αρχείο καταγραφής των σφαλμάτων του scheduler DocType: User,Bio,Βιογραφικό @@ -1540,7 +1546,6 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +54,Select DocType: Communication,Deleted,Διεγραμμένο DocType: Workflow State,adjust,Προσαρμογή DocType: Web Form,Sidebar Settings,sidebar Ρυθμίσεις -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,

    No results found for '

    ,

    Δεν βρέθηκαν αποτελέσματα για '

    DocType: Website Settings,Disable Customer Signup link in Login page,Απενεργοποίηση συνδέσμου εγγραφής πελάτη στη σελίδα σύνδεσης apps/frappe/frappe/core/report/todo/todo.py +20,Assigned To/Owner,Ανατέθηκε σε / ιδιοκτήτης DocType: Workflow State,arrow-left,Βέλος αριστερά @@ -1561,8 +1566,8 @@ DocType: Top Bar Item,"If you set this, this Item will come in a drop-down under DocType: Print Format,Show Section Headings,Εμφάνιση Επικεφαλίδες Ενότητας DocType: Bulk Update,Limit,Όριο apps/frappe/frappe/www/printview.py +219,No template found at path: {0},Δεν βρέθηκε πρότυπο στην διαδρομή: {0} -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +77,Submit after importing.,Υποβολή μετά την εισαγωγή. -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +141,No Email Account,Δεν λογαριασμού ηλεκτρονικού ταχυδρομείου +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +87,Submit after importing.,Υποβολή μετά την εισαγωγή. +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +143,No Email Account,Δεν λογαριασμού ηλεκτρονικού ταχυδρομείου DocType: Communication,Cancelled,Ακυρώθηκε DocType: Standard Reply,Standard Reply Help,Πρότυπο Απάντηση Βοήθεια DocType: Blogger,Avatar,Avatar @@ -1571,13 +1576,13 @@ DocType: DocType,Has Web View,Έχει Web Προβολή apps/frappe/frappe/core/doctype/doctype/doctype.py +361,"DocType's name should start with a letter and it can only consist of letters, numbers, spaces and underscores","Το όνομά DocType θα πρέπει να αρχίζει με ένα γράμμα και μπορεί να αποτελείται μόνο από γράμματα, αριθμούς, διαστήματα και χαρακτήρες υπογράμμισης" DocType: Communication,Spam,Ανεπιθυμητη αλληλογραφια DocType: Integration Request,Integration Request,Αίτηση ολοκλήρωσης -apps/frappe/frappe/public/js/frappe/views/communication.js +531,Dear,Αγαπητέ +apps/frappe/frappe/public/js/frappe/views/communication.js +533,Dear,Αγαπητέ DocType: Contact,Accounts User,Χρήστης λογαριασμών DocType: Web Page,HTML for header section. Optional,Html για την ενότητα της κεφαλίδας. Προαιρετικός apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +13,This feature is brand new and still experimental,Αυτό το χαρακτηριστικό είναι καινούργιο και ακόμα σε πειραματικό στάδιο apps/frappe/frappe/model/rename_doc.py +364,Maximum {0} rows allowed,Επιτρέπονται μέγιστο {0} σειρές DocType: Email Unsubscribe,Global Unsubscribe,Παγκόσμια Διαγραφή -apps/frappe/frappe/utils/password_strength.py +151,This is a very common password.,Αυτό είναι ένα πολύ κοινό κωδικό πρόσβασης. +apps/frappe/frappe/utils/password_strength.py +153,This is a very common password.,Αυτό είναι ένα πολύ κοινό κωδικό πρόσβασης. apps/frappe/frappe/email/doctype/email_group/email_group.js +9,View,Θέα DocType: Communication,Assigned,ανατεθεί DocType: Print Format,Js,Js @@ -1585,13 +1590,14 @@ apps/frappe/frappe/public/js/frappe/views/communication.js +78,Select Print Form apps/frappe/frappe/utils/password_strength.py +79,Short keyboard patterns are easy to guess,Σύντομη μοτίβα πληκτρολόγιο είναι εύκολο να μαντέψει DocType: Portal Settings,Portal Menu,Μενού portal apps/frappe/frappe/model/db_schema.py +114,Length of {0} should be between 1 and 1000,Μήκος {0} πρέπει να είναι μεταξύ 1 και 1000 -apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +355,Search for anything,Αναζήτηση για τίποτα +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +356,Search for anything,Αναζήτηση για τίποτα DocType: DocField,Print Hide,Απόκρυψη εκτύπωσης apps/frappe/frappe/public/js/frappe/ui/messages.js +66,Enter Value,Εισάγετε τιμή DocType: Workflow State,tint,Απόχρωση DocType: Web Page,Style,Στυλ apps/frappe/frappe/custom/doctype/custom_field/custom_field.js +63,e.g.:,π.χ: apps/frappe/frappe/website/doctype/blog_post/blog_post.py +80,{0} comments,{0} Σχόλια +apps/frappe/frappe/email/smtp.py +158,Email Account not setup. Please create a new Email Account from Setup > Email > Email Account,Δεν έχει ρυθμιστεί ο λογαριασμός ηλεκτρονικού ταχυδρομείου. Δημιουργήστε ένα νέο λογαριασμό ηλεκτρονικού ταχυδρομείου από το Setup> Email> Email Account apps/frappe/frappe/desk/page/applications/applications.js +44,Select Category...,Επιλέξτε Κατηγορία ... DocType: Customize Form Field,Label and Type,Ετικέτα και τύπος DocType: Workflow State,forward,Εμπρός @@ -1603,12 +1609,14 @@ DocType: Website Settings,Sub-domain provided by erpnext.com,Sub-domain που DocType: System Settings,dd-mm-yyyy,Ηη/μμ/εεεε apps/frappe/frappe/desk/query_report.py +76,Must have report permission to access this report.,Πρέπει να έχετε δικαιώματα πρόσβασης σε αυτή την έκθεση. apps/frappe/frappe/core/doctype/system_settings/system_settings.py +18,Please select Minimum Password Score,Επιλέξτε το Ελάχιστο Βαθμολογία Κωδικού -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,Added,Προστέθηκε -apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +71,"Update only, do not insert new records.","Ενημέρωση μόνο, μην εισάγετε νέες εγγραφές." +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,Added,Προστέθηκε +apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +81,"Update only, do not insert new records.","Ενημέρωση μόνο, μην εισάγετε νέες εγγραφές." apps/frappe/frappe/desk/doctype/event/event.py +61,Daily Event Digest is sent for Calendar Events where reminders are set.,Το άρθρο καθημερινών γεγονότων απεστάλη για τις εκδηλώσεις του ημερολογίου για τις οποίες έχουν οριστεί υπενθυμίσεις. apps/frappe/frappe/public/js/frappe/ui/toolbar/navbar.html +32,View Website,Δείτε την ιστοσελίδα DocType: Workflow State,remove,Αφαίρεση DocType: Email Account,If non standard port (e.g. 587),Αν μη τυπική θύρα (π.Χ. 587) +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +33,Setup > User Permissions Manager,Εγκατάσταση> Διαχείριση δικαιωμάτων χρηστών +apps/frappe/frappe/geo/doctype/address/address.py +168,No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Δεν βρέθηκε προεπιλεγμένο πρότυπο διεύθυνσης. Δημιουργήστε ένα νέο από το Setup> Printing and Branding> Template Address. apps/frappe/frappe/public/js/frappe/form/toolbar.js +152,Reload,Επαναφόρτωση apps/frappe/frappe/config/setup.py +242,Add your own Tag Categories,Προσθέστε το δικό σας Tag Κατηγορίες apps/frappe/frappe/core/page/usage_info/usage_info.html +103,Total,Σύνολο @@ -1626,16 +1634,15 @@ apps/frappe/frappe/www/search.py +10,"Search Results for ""{0}""",Αποτελέ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +67,Cannot set permission for DocType: {0} and Name: {1},Δεν είναι δυνατός ο ορισμός δικαιώματος για τον τύπο εγγράφου: {0} και όνομα : {1} apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +134,Add to To Do,Προσθήκη στο να κάνει DocType: Footer Item,Company,Εταιρεία -apps/frappe/frappe/email/smtp.py +57,Please setup default Email Account from Setup > Email > Email Account,Ρυθμίστε τον προεπιλεγμένο λογαριασμό ηλεκτρονικού ταχυδρομείου από το Setup> Email> Email Account apps/frappe/frappe/public/js/frappe/list/list_sidebar.html +49,Assigned To Me,Που μου ανατίθενται -apps/frappe/frappe/public/js/frappe/ui/messages.js +221,Verify Password,Επιβεβαίωσε Τον Κωδικό +apps/frappe/frappe/public/js/frappe/ui/messages.js +222,Verify Password,Επιβεβαίωσε Τον Κωδικό apps/frappe/frappe/public/js/frappe/form/footer/attachments.js +138,There were errors,Υπήρξαν σφάλματα apps/frappe/frappe/core/doctype/communication/communication.js +42,Close,Κλείσιμο apps/frappe/frappe/model/document.py +564,Cannot change docstatus from 0 to 2,Δεν είναι δυνατή η αλλαγή κατάστασης εγγράφου από 0 σε 2 DocType: User Permission for Page and Report,Roles Permission,Ρόλοι άδεια apps/frappe/frappe/core/doctype/role_permission_for_page_and_report/role_permission_for_page_and_report.js +14,Update,Ενημέρωση DocType: Error Snapshot,Snapshot View,Προβολή στιγμιότυπου -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +99,Please save the Newsletter before sending,Παρακαλώ αποθηκεύστε το ενημερωτικό δελτίο πριν από την αποστολή +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +100,Please save the Newsletter before sending,Παρακαλώ αποθηκεύστε το ενημερωτικό δελτίο πριν από την αποστολή apps/frappe/frappe/core/doctype/doctype/doctype.py +406,Options must be a valid DocType for field {0} in row {1},Οι επιλογές θα πρέπει να είναι ένας έγκυρος τύπος εγγράφου για το πεδίο {0} στη γραμμή {1} apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +167,Edit Properties,Επεξεργασία ιδιοτήτων DocType: Patch Log,List of patches executed,Λίστα των δημοσιεύσεων του φόρουμ της ιστοσελίδας. @@ -1643,17 +1650,17 @@ apps/frappe/frappe/email/doctype/email_unsubscribe/email_unsubscribe.py +21,{0} apps/frappe/frappe/public/js/frappe/views/communication.js +70,Communication Medium,Μέσο επικοινωνίας DocType: Website Settings,Banner HTML,Html banner apps/frappe/frappe/integrations/doctype/razorpay_settings/razorpay_settings.py +82,Please select another payment method. Razorpay does not support transactions in currency '{0}',Επιλέξτε μια άλλη μέθοδο πληρωμής. Razorpay δεν υποστηρίζει τις συναλλαγές μετρητών «{0}» -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +110,Queued for backup. It may take a few minutes to an hour.,Στην ουρά για backup. Μπορεί να χρειαστούν μερικά λεπτά έως μία ώρα. +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +108,Queued for backup. It may take a few minutes to an hour.,Στην ουρά για backup. Μπορεί να χρειαστούν μερικά λεπτά έως μία ώρα. DocType: Error Snapshot,Pyver,Pyver apps/frappe/frappe/config/integrations.py +53,Register OAuth Client App,Εγγραφή OAuth App πελάτη apps/frappe/frappe/model/base_document.py +539,"{0} {1} cannot be ""{2}"". It should be one of ""{3}""","{0} {1} Δεν μπορεί να είναι ""{2}"". Θα πρέπει να είναι ένα από τα ""{3}""" -apps/frappe/frappe/utils/data.py +540,{0} or {1},{0} ή {1} +apps/frappe/frappe/utils/data.py +541,{0} or {1},{0} ή {1} apps/frappe/frappe/core/page/modules_setup/modules_setup.js +4,Show or Hide Desktop Icons,Εμφάνιση ή απόκρυψη εικονιδίων επιφάνειας εργασίας apps/frappe/frappe/core/doctype/user/user.py +233,Password Update,Ενημέρωση κωδικού DocType: Workflow State,trash,Σκουπίδια DocType: System Settings,Older backups will be automatically deleted,Παλαιότερα αντίγραφα ασφαλείας θα διαγραφούν αυτόματα DocType: Event,Leave blank to repeat always,Αφήστε το κενό για να επαναλαμβάνεται πάντα -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +193,Confirmed,Επιβεβαιώθηκε +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +192,Confirmed,Επιβεβαιώθηκε DocType: Event,Ends on,Λήγει στις DocType: Payment Gateway,Gateway,Είσοδος πυλών apps/frappe/frappe/public/js/frappe/form/linked_with.js +114,Not enough permission to see links,Δεν υπάρχει αρκετή άδεια για να δείτε συνδέσμους @@ -1661,18 +1668,18 @@ apps/frappe/frappe/geo/doctype/address/address.py +32,Address Title is mandatory DocType: Website Settings,"Added HTML in the <head> section of the web page, primarily used for website verification and SEO","Προστέθηκε HTML στην ενότητα <head> της ιστοσελίδας, που χρησιμοποιούνται κυρίως για την επαλήθευση της ιστοσελίδας και SEO" apps/frappe/frappe/core/doctype/error_snapshot/error_snapshot_list.js +9,Relapsed,Υποτροπή apps/frappe/frappe/utils/nestedset.py +181,Item cannot be added to its own descendents,Το είδος δεν μπορεί να προστεθεί στους δικούς του απογόνους -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +607,Show Totals,Εμφάνιση Σύνολα +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +608,Show Totals,Εμφάνιση Σύνολα DocType: Error Snapshot,Relapses,Υποτροπές DocType: Address,Preferred Shipping Address,Προτιμώμενη διεύθυνση αποστολής DocType: Social Login Keys,Frappe Server URL,URL διακομιστή Φραπέ -apps/frappe/frappe/public/js/frappe/form/print.js +233,With Letter head,Με το κεφάλι Επιστολή +apps/frappe/frappe/public/js/frappe/form/print.js +236,With Letter head,Με το κεφάλι Επιστολή apps/frappe/frappe/public/js/frappe/form/sidebar.js +62,{0} created this {1},{0} δημιουργήθηκε αυτή η {1} apps/frappe/frappe/public/js/frappe/form/workflow.js +36,Document is only editable by users of role,Το έγγραφο είναι μόνο επεξεργάσιμη από τους χρήστες του ρόλου apps/frappe/frappe/desk/form/assign_to.py +143,"The task {0}, that you assigned to {1}, has been closed by {2}.","Το έργο {0}, που έχετε αντιστοιχίσει {1}, έχει κλείσει από {2}." DocType: Print Format,Show Line Breaks after Sections,Εμφάνιση αλλαγές γραμμής μετά Ενότητες DocType: Blogger,Short Name,Σύντομη ονομασία apps/frappe/frappe/website/doctype/web_form/templates/web_form.html +241,Page {0},Σελίδα {0} -apps/frappe/frappe/email/doctype/email_account/email_account.js +183,"You are selecting Sync Option as ALL, It will resync all \ +apps/frappe/frappe/email/doctype/email_account/email_account.js +182,"You are selecting Sync Option as ALL, It will resync all \ read as well as unread message from server. This may also cause the duplication\ of Communication (emails).","Έχετε την επιλογή Option Sync, όπως όλα, θα sync στο σύνολο \ διαβάσει, καθώς και μη αναγνωσμένων μηνυμάτων από το διακομιστή. Αυτό μπορεί επίσης να προκαλέσει την επικάλυψη \ Επικοινωνίας (e-mail)." apps/frappe/frappe/core/page/usage_info/usage_info.html +95,Files Size,αρχεία Μέγεθος @@ -1681,7 +1688,6 @@ apps/frappe/frappe/geo/doctype/currency/currency.js +7,This Currency is disabled DocType: Desktop Icon,Blocked,Αποκλεισμένοι DocType: Contact Us Settings,"Default: ""Contact Us""","Προεπιλογή: ""επικοινωνήστε μαζί μας""" DocType: Contact,Purchase Manager,¥πεύθυνος αγορών -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, higher levels for field level permissions.","Το επίπεδο 0 είναι για δικαιώματα σε επίπεδο εγγράφων, τα υψηλότερα επίπεδα είναι για δικαιώματα σε επίπεδο πεδίων." DocType: Custom Script,Sample,Δείγμα apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +389,UnCategorised Tags,Uncategorised Ετικέτες apps/frappe/frappe/core/doctype/user/user.py +408,"Username should not contain any special characters other than letters, numbers and underscore","Το όνομα χρήστη δεν πρέπει να περιέχει ειδικούς χαρακτήρες εκτός από γράμματα, αριθμούς και κάτω παύλα" @@ -1704,7 +1710,7 @@ apps/frappe/frappe/core/page/user_permissions/user_permissions.py +106,Please up apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Month,Μήνας DocType: Email Account,ProTip: Add Reference: {{ reference_doctype }} {{ reference_name }} to send document reference,PROTIP: Προσθέστε Reference: {{ reference_doctype }} {{ reference_name }} για να στείλει έγγραφο αναφοράς apps/frappe/frappe/modules/utils.py +202,App not found,Δεν βρέθηκε η εφαρμογή -apps/frappe/frappe/core/doctype/communication/communication.py +51,Cannot create a {0} against a child document: {1},Δεν μπορείτε να δημιουργήσετε ένα {0} κατά ένα έγγραφο παιδί: {1} +apps/frappe/frappe/core/doctype/communication/communication.py +52,Cannot create a {0} against a child document: {1},Δεν μπορείτε να δημιουργήσετε ένα {0} κατά ένα έγγραφο παιδί: {1} DocType: Portal Settings,Custom Sidebar Menu,Προσαρμοσμένη Sidebar Μενού DocType: Workflow State,pencil,Μολύβι apps/frappe/frappe/config/desk.py +32,Chat messages and other notifications.,Συνομιλία μηνύματα και άλλες ειδοποιήσεις. @@ -1714,11 +1720,11 @@ apps/frappe/frappe/public/js/frappe/desk.js +134,Email Account setup please ente DocType: Workflow State,hand-up,Hand-up DocType: Blog Settings,Writers Introduction,Εισαγωγή συγγραφέων DocType: Communication,Phone,Τηλέφωνο -apps/frappe/frappe/email/doctype/email_alert/email_alert.py +241,Error while evaluating Email Alert {0}. Please fix your template.,Σφάλμα κατά την αξιολόγηση Email Alert {0}. Διορθώστε το πρότυπό σας. +apps/frappe/frappe/email/doctype/email_alert/email_alert.py +239,Error while evaluating Email Alert {0}. Please fix your template.,Σφάλμα κατά την αξιολόγηση Email Alert {0}. Διορθώστε το πρότυπό σας. apps/frappe/frappe/core/page/permission_manager/permission_manager.js +140,Select Document Type or Role to start.,Επιλογή τύπου εγγράφου ή ρόλου για να ξεκινήσετε. DocType: Contact,Passive,Αδρανής DocType: Contact,Accounts Manager,Διαχειριστής λογαριασμών -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +711,Select File Type,Επιλογή τύπου αρχείου +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +712,Select File Type,Επιλογή τύπου αρχείου DocType: Help Article,Knowledge Base Editor,Γνώση Επεξεργαστής Βάσης apps/frappe/frappe/public/js/frappe/views/container.js +57,Page not found,Η σελίδα δεν βρέθηκε DocType: DocField,Precision,Ακρίβεια @@ -1727,7 +1733,7 @@ apps/frappe/frappe/utils/password_strength.py +97,Try to avoid repeated words an DocType: Event,Groups,Ομάδες DocType: Workflow State,Workflow State,Κατάσταση ροής εργασίας apps/frappe/frappe/core/doctype/version/version_view.html +32,Rows Added,σειρές Προστέθηκε -apps/frappe/frappe/www/update-password.html +167,Success! You are good to go 👍,Επιτυχία! Είστε καλά να πάτε 👍 +apps/frappe/frappe/www/update-password.html +163,Success! You are good to go 👍,Επιτυχία! Είστε καλά να πάτε 👍 apps/frappe/frappe/www/me.html +3,My Account,Ο Λογαριασμός Μου DocType: ToDo,Allocated To,Που διατίθενται για apps/frappe/frappe/templates/emails/password_reset.html +4,Please click on the following link to set your new password,Παρακαλώ κάντε κλικ στον παρακάτω σύνδεσμο για να ορίσετε νέο κωδικό πρόσβασης @@ -1749,7 +1755,7 @@ apps/frappe/frappe/public/js/frappe/model/model.js +27,Document Status,Κατά apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +554,Login Id,ID εισόδου apps/frappe/frappe/core/page/desktop/desktop_help_message.html +5,You have made {0} of {1},Κάνατε {0} από {1} DocType: OAuth Authorization Code,OAuth Authorization Code,OAuth Κωδικός Εξουσιοδότησης -apps/frappe/frappe/core/page/data_import_tool/importer.py +233,Not allowed to Import,Δεν επιτρέπεται η εισαγωγή +apps/frappe/frappe/core/page/data_import_tool/importer.py +249,Not allowed to Import,Δεν επιτρέπεται η εισαγωγή DocType: Social Login Keys,Frappe Client Secret,Φραπέ πελάτη Secret DocType: Deleted Document,Deleted DocType,διαγράφεται DocType apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +22,Permission Levels,Επίπεδα δικαιωμάτων @@ -1757,11 +1763,11 @@ DocType: Workflow State,Warning,Προειδοποίηση DocType: Tag Category,Tag Category,Tag Κατηγορία apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +818,"Ignoring Item {0}, because a group exists with the same name!","Αγνοώντας Θέση {0} , διότι υπάρχει μια ομάδα με το ίδιο όνομα !" apps/frappe/frappe/core/doctype/deleted_document/deleted_document.py +20,Cannot restore Cancelled Document,Δεν είναι δυνατή η αποκατάσταση της Ακυρώθηκε έγγραφο -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +198,Help,Βοήθεια +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +199,Help,Βοήθεια DocType: User,Login Before,Είσοδος πριν από DocType: Web Page,Insert Style,Εισαγωγή style apps/frappe/frappe/config/setup.py +253,Application Installer,Εγκατάσταση εφαρμογών -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +776,New Report name,Νέο όνομα Έκθεση +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +777,New Report name,Νέο όνομα Έκθεση apps/frappe/frappe/core/page/user_permissions/user_permissions.js +251,Is,Είναι DocType: Workflow State,info-sign,Info-sign apps/frappe/frappe/model/base_document.py +216,Value for {0} cannot be a list,Σχέση {0} δεν μπορεί να είναι μια λίστα @@ -1769,9 +1775,10 @@ DocType: Currency,"How should this currency be formatted? If not set, will use s apps/frappe/frappe/core/page/permission_manager/permission_manager.js +252,Show User Permissions,Προβολή δικαιωμάτων χρήστη apps/frappe/frappe/utils/response.py +133,You need to be logged in and have System Manager Role to be able to access backups.,Θα πρέπει να είστε συνδεδεμένοι στο σύστημα και να έχετε ρόλο διαχειριστή συστήματος για να έχετε πρόσβαση σε αντίγραφα ασφαλείας. apps/frappe/frappe/core/page/usage_info/usage_info.html +22,Remaining,Παραμένων +apps/frappe/frappe/public/js/frappe/ui/toolbar/search.js +357,

    No results found for '

    ,

    Δεν βρέθηκαν αποτελέσματα για '

    apps/frappe/frappe/public/js/legacy/form.js +139,Please save before attaching.,Παρακαλούμε να αποθηκεύσετε πριν από την τοποθέτηση. -apps/frappe/frappe/public/js/frappe/form/link_selector.js +121,Added {0} ({1}),Προστέθηκε {0} ({1}) -apps/frappe/frappe/website/doctype/website_theme/website_theme.js +21,Default theme is set in {0},Προεπιλεγμένο θέμα βρίσκεται σε {0} +apps/frappe/frappe/public/js/frappe/form/link_selector.js +124,Added {0} ({1}),Προστέθηκε {0} ({1}) +apps/frappe/frappe/website/doctype/website_theme/website_theme.js +20,Default theme is set in {0},Προεπιλεγμένο θέμα βρίσκεται σε {0} apps/frappe/frappe/custom/doctype/customize_form/customize_form.py +319,Fieldtype cannot be changed from {0} to {1} in row {2},Ο τύπος πεδίου δεν μπορεί να αλλάξει από {0} σε {1} στη γραμμή {2} apps/frappe/frappe/public/js/frappe/roles_editor.js +195,Role Permissions,Δικαιώματα ρόλου DocType: Help Article,Intermediate,Ενδιάμεσος @@ -1787,11 +1794,12 @@ apps/frappe/frappe/core/doctype/user/user.js +42,Refreshing...,Γίνεται α DocType: Event,Starts on,Ξεκινά στις DocType: System Settings,System Settings,Ρυθμίσεις συστήματος apps/frappe/frappe/public/js/frappe/desk.js +38,Session Start Failed,Η έναρξη της περιόδου σύνδεσης απέτυχε -apps/frappe/frappe/email/queue.py +448,This email was sent to {0} and copied to {1},Αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου εστάλη σε {0} και να αντιγραφεί {1} +apps/frappe/frappe/email/queue.py +449,This email was sent to {0} and copied to {1},Αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου εστάλη σε {0} και να αντιγραφεί {1} DocType: Workflow State,th,Th -apps/frappe/frappe/public/js/frappe/form/control.js +1406,Create a new {0},Δημιουργία νέου {0} +apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +8,Setup > User,Ρύθμιση> Χρήστης +apps/frappe/frappe/public/js/frappe/form/control.js +1407,Create a new {0},Δημιουργία νέου {0} DocType: Email Rule,Is Spam,είναι Spam -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +196,Report {0},Έκθεση {0} +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +192,Report {0},Έκθεση {0} apps/frappe/frappe/public/js/frappe/form/templates/form_links.html +14,Open {0},Άνοιγμα {0} DocType: OAuth Client,Default Redirect URI,Προεπιλογή Ανακατεύθυνση URI DocType: Email Alert,Recipients,Παραλήπτες @@ -1800,13 +1808,13 @@ apps/frappe/frappe/public/js/frappe/form/toolbar.js +141,Duplicate,Διπλότ DocType: Newsletter,Create and Send Newsletters,Δημιουργήστε και στείλτε τα ενημερωτικά δελτία apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +309,From Date must be before To Date,Το πεδίο Από την ημερομηνία πρέπει να είναι προγενέστερο του έως ημερομηνία apps/frappe/frappe/email/doctype/email_alert/email_alert.py +29,Please specify which value field must be checked,Παρακαλώ ορίστε ποιο πεδίο τιμής πρέπει να ελεγχθεί -apps/frappe/frappe/core/page/data_import_tool/exporter.py +69,"""Parent"" signifies the parent table in which this row must be added",H λέξη «γονικός» δηλώνει το γονικό πίνακα στον οποίο πρέπει να προστεθεί αυτή η σειρά +apps/frappe/frappe/core/page/data_import_tool/exporter.py +70,"""Parent"" signifies the parent table in which this row must be added",H λέξη «γονικός» δηλώνει το γονικό πίνακα στον οποίο πρέπει να προστεθεί αυτή η σειρά DocType: Website Theme,Apply Style,Εφαρμογή στυλ DocType: Feedback Request,Feedback Rating,feedback Αξιολόγηση apps/frappe/frappe/public/js/frappe/form/templates/form_sidebar.html +59,Shared With,Κοινόχρηστο Με DocType: Help Category,Help Articles,άρθρα Βοήθειας ,Modules Setup,Ρυθμίσεις λειτουργικής μονάδας -apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Type:,Τύπος: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Type:,Τύπος: DocType: Communication,Unshared,επιμερισμένα apps/frappe/frappe/desk/moduleview.py +63,Module Not Found,Η λειτουργική μονάδα δεν βρέθηκε DocType: User,Location,Τοποθεσία @@ -1814,14 +1822,14 @@ apps/frappe/frappe/core/page/usage_info/usage_info.html +4,Renew before: {0},Α ,Permitted Documents For User,Επιτρεπόμενα έγγραφα για το χρήστη apps/frappe/frappe/core/doctype/docshare/docshare.py +40,"You need to have ""Share"" permission","Θα πρέπει να έχετε άδεια ""Κοινοποίησης""" DocType: Communication,Assignment Completed,εκχώρηση Ολοκληρώθηκε -apps/frappe/frappe/public/js/frappe/form/grid.js +573,Bulk Edit {0},Μαζική Επεξεργασία {0} +apps/frappe/frappe/public/js/frappe/form/grid.js +571,Bulk Edit {0},Μαζική Επεξεργασία {0} DocType: Email Alert Recipient,Email Alert Recipient,Παραλήπτης ειδοποίησης email apps/frappe/frappe/workflow/doctype/workflow/workflow_list.js +7,Not active,Ανενεργό DocType: About Us Settings,Settings for the About Us Page,Ρυθμίσεις για τη σελίδα προφίλ. apps/frappe/frappe/config/integrations.py +13,Stripe payment gateway settings,Ρυθμίσεις πύλης πληρωμής apps/frappe/frappe/core/page/data_import_tool/data_import_main.html +5,Select Type of Document to Download,Επιλέξτε τύπο εγγράφου για λήψη DocType: Email Account,e.g. pop.gmail.com / imap.gmail.com,π.χ. pop.gmail.com / imap.gmail.com -apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +241,Use the field to filter records,Χρησιμοποιήστε το πεδίο για να φιλτράρετε τις εγγραφές +apps/frappe/frappe/custom/doctype/customize_form/customize_form.js +242,Use the field to filter records,Χρησιμοποιήστε το πεδίο για να φιλτράρετε τις εγγραφές DocType: DocType,View Settings,Ρυθμίσεις προβολής DocType: Email Account,Outlook.com,Outlook.com apps/frappe/frappe/core/page/desktop/desktop.py +13,"Add your Employees so you can manage leaves, expenses and payroll","Προσθέστε τους υπαλλήλους σας ώστε να μπορείτε να διαχειριστείτε τα φύλλα, τα έξοδα μισθοδοσίας και" @@ -1831,9 +1839,9 @@ apps/frappe/frappe/utils/password.py +93,Password cannot be more than 100 charac DocType: OAuth Client,App Client ID,App ID πελάτη DocType: Kanban Board,Kanban Board Name,Όνομα Kanban Διοικητικό Συμβούλιο DocType: Email Alert Recipient,"Expression, Optional","Έκφραση, προαιρετικά" -apps/frappe/frappe/email/queue.py +450,This email was sent to {0},Αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου στάλθηκε στο {0} +apps/frappe/frappe/email/queue.py +451,This email was sent to {0},Αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου στάλθηκε στο {0} DocType: DocField,Remember Last Selected Value,Θυμηθείτε Τελευταία επιλεγμένη τιμή -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +332,Please select Document Type,Επιλέξτε τύπο εγγράφου +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +334,Please select Document Type,Επιλέξτε τύπο εγγράφου DocType: Email Account,Check this to pull emails from your mailbox,Επιλέξτε αυτό για να γίνει λήψη των μηνυμάτων από το γραμματοκιβώτιό σας apps/frappe/frappe/limits.py +139,click here,Κάνε κλικ εδώ apps/frappe/frappe/model/document.py +577,Cannot edit cancelled document,Δεν μπορείτε να επεξεργαστείτε ακυρωθέν έγγραφο @@ -1856,26 +1864,26 @@ DocType: Communication,Has Attachment,έχει Συνημμένο DocType: Contact,Sales User,Χρήστης πωλήσεων apps/frappe/frappe/config/setup.py +172,Drag and Drop tool to build and customize Print Formats.,Drag and drop εργαλείο για την δημιουργία και προσαρμογή των μορφών εκτύπωσης. apps/frappe/frappe/public/js/frappe/ui/tree.js +130,Expand,Ανάπτυξη -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +432,Set,Σετ +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +434,Set,Σετ DocType: Email Alert,Trigger Method,Μέθοδος σκανδάλη DocType: Workflow State,align-right,Ευθυγράμμιση δεξιά DocType: Auto Email Report,Email To,E-mail Για να apps/frappe/frappe/core/doctype/file/file.py +214,Folder {0} is not empty,Φάκελο {0} δεν είναι άδειο DocType: Page,Roles,Ρόλοι -apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +515,Field {0} is not selectable.,Το πεδίο {0} δεν είναι επιλέξιμο . +apps/frappe/frappe/public/js/frappe/ui/filters/filters.js +514,Field {0} is not selectable.,Το πεδίο {0} δεν είναι επιλέξιμο . DocType: System Settings,Session Expiry,Λήξη συνεδρίας DocType: Workflow State,ban-circle,Ban-circle DocType: Email Flag Queue,Unread,Αδιάβαστος DocType: Bulk Update,Desk,Γραφείο apps/frappe/frappe/core/doctype/report/report.js +8,Write a SELECT query. Note result is not paged (all data is sent in one go).,Γράψτε ένα ερώτημα select. Σημείωση: το αποτέλεσμα δεν σελιδοποιείται (όλα τα δεδομένα αποστέλλονται σε μια δόση). DocType: Email Account,Attachment Limit (MB),Όριο συνημμένο (mb) -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +129,Setup Auto Email,Ρύθμιση Auto Email +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +130,Setup Auto Email,Ρύθμιση Auto Email apps/frappe/frappe/public/js/frappe/form/templates/grid_form.html +25,Ctrl + Down,Ctrl + Down -apps/frappe/frappe/utils/password_strength.py +147,This is a top-10 common password.,Αυτό είναι ένα κοινό κωδικό top-10. +apps/frappe/frappe/utils/password_strength.py +149,This is a top-10 common password.,Αυτό είναι ένα κοινό κωδικό top-10. DocType: User,User Defaults,Προεπιλογές προφίλ χρήστη apps/frappe/frappe/public/js/frappe/views/treeview.js +223,Create New,Δημιουργία νέου DocType: Workflow State,chevron-down,Chevron-down -apps/frappe/frappe/public/js/frappe/views/communication.js +492,Email not sent to {0} (unsubscribed / disabled),Ηλεκτρονικό ταχυδρομείο δεν αποστέλλονται σε {0} (αδιάθετων / άτομα με ειδικές ανάγκες) +apps/frappe/frappe/public/js/frappe/views/communication.js +494,Email not sent to {0} (unsubscribed / disabled),Ηλεκτρονικό ταχυδρομείο δεν αποστέλλονται σε {0} (αδιάθετων / άτομα με ειδικές ανάγκες) DocType: Async Task,Traceback,Ανατρέχω DocType: Currency,Smallest Currency Fraction Value,Ο μικρότερος Νόμισμα κλάσμα Αξία apps/frappe/frappe/public/js/frappe/form/footer/assign_to.js +137,Assign To,Ανάθεση σε @@ -1886,7 +1894,7 @@ DocType: User,Restrict user from this IP address only. Multiple IP addresses can DocType: Communication,From,Από DocType: Website Theme,Google Font (Heading),Google Font (Ονομασία) apps/frappe/frappe/public/js/frappe/views/treeview.js +204,Select a group node first.,Επιλέξτε πρώτα έναν κόμβο ομάδας. -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +231,Find {0} in {1},Βρες {0} σε {1} +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +229,Find {0} in {1},Βρες {0} σε {1} DocType: OAuth Client,Implicit,Σιωπηρή DocType: Email Account,"Append as communication against this DocType (must have fields, ""Status"", ""Subject"")","Προσάρτηση ως επικοινωνία αυτού του τύπου εγγράφου (πρέπει να έχει πεδία, ""Κατάσταση"", ""θέμα"")" DocType: OAuth Client,"URIs for receiving authorization code once the user allows access, as well as failure responses. Typically a REST endpoint exposed by the Client App. @@ -1903,8 +1911,10 @@ apps/frappe/frappe/core/page/permission_manager/permission_manager.js +136,Loadi apps/frappe/frappe/config/integrations.py +43,"Enter keys to enable login via Facebook, Google, GitHub.","Εισάγετε κλειδιά για να ενεργοποιήσετε την είσοδο μέσω του facebook, google, github." DocType: Auto Email Report,Filter Data,Φιλτράρετε δεδομένα apps/frappe/frappe/public/js/frappe/ui/tags.js +20,Add a tag,Προσθήκη ετικέτας -apps/frappe/frappe/public/js/frappe/form/control.js +1206,Please attach a file first.,Παρακαλώ επισυνάψτε ένα αρχείο πρώτα. +apps/frappe/frappe/public/js/frappe/form/control.js +1207,Please attach a file first.,Παρακαλώ επισυνάψτε ένα αρχείο πρώτα. apps/frappe/frappe/model/naming.py +169,"There were some errors setting the name, please contact the administrator","Εμφανίστηκαν κάποια σφάλματα κατά τη ρύθμιση του ονόματος, Παρακαλώ επικοινωνήστε με το διαχειριστή" +apps/frappe/frappe/templates/includes/contact.js +17,"You seem to have written your name instead of your email. \ + Please enter a valid email address so that we can get back.",Φαίνεται ότι έχετε γράψει το όνομά σας αντί για το email σας. \ Παρακαλώ εισάγετε μια έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου για να μπορέσουμε να επιστρέψουμε. DocType: Website Slideshow Item,Website Slideshow Item,Αντικείμενο παρουσίασης ιστοτόπου DocType: Portal Settings,Default Role at Time of Signup,Προεπιλογή ρόλος κατά την Ώρα των Εγγραφή DocType: DocType,Title Case,Γραφή τίτλου @@ -1912,7 +1922,7 @@ DocType: DocType,"Naming Options:
    1. field:[fieldname] - By Field
    2. naming_series: - By Naming Series (field called naming_series must be present
    3. Prompt - Prompt user for a name
    4. [series] - Series by prefix (separated by a dot); for example PRE.#####
    ",Ονοματοδοσία Επιλογές:
    1. πεδίο: [ΌνομαΠεδίου] - Με πεδίο
    2. naming_series: - με την ονομασία Series (πεδίο που ονομάζεται naming_series πρέπει να είναι παρόντες
    3. Προτροπή - Προτροπή του χρήστη για ένα όνομα
    4. [σειράς] - Σειρά με πρόθεμα (χωρίζονται με τελεία)? για παράδειγμα PRE. #####
    DocType: Blog Post,Email Sent,Το email απεστάλη DocType: DocField,Ignore XSS Filter,Αγνοήστε XSS φίλτρο -apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +479,removed,αφαιρεθεί +apps/frappe/frappe/public/js/frappe/form/footer/timeline.js +480,removed,αφαιρεθεί apps/frappe/frappe/config/integrations.py +33,Dropbox backup settings,Ρυθμίσεις Dropbox αντιγράφων ασφαλείας apps/frappe/frappe/public/js/frappe/views/communication.js +64,Send As Email,Αποστολή ως e-mail DocType: Website Theme,Link Color,Χρώμα δεσμού @@ -1933,9 +1943,9 @@ DocType: Letter Head,Letter Head Name,Όνομα κεφαλίδας επιστο DocType: DocField,Number of columns for a field in a List View or a Grid (Total Columns should be less than 11),Αριθμός στήλες για ένα πεδίο σε μια προβολή λίστας ή πλέγματος (Σύνολο στηλών θα πρέπει να είναι μικρότερο από 11) apps/frappe/frappe/config/website.py +18,User editable form on Website.,Η φόρμα στην ιστοσελίδα είναι επεξεργάσιμη από το χρήστη. DocType: Workflow State,file,Αρχείο -apps/frappe/frappe/www/login.html +103,Back to Login,Επιστροφή στην Είσοδος +apps/frappe/frappe/www/login.html +108,Back to Login,Επιστροφή στην Είσοδος apps/frappe/frappe/model/rename_doc.py +127,You need write permission to rename,Χρειάζεται δικαίωμα εγγραφής για να μετονομάσετε -apps/frappe/frappe/core/page/permission_manager/permission_manager.js +437,Apply Rule,Εφαρμόζει τον Κανονισμό +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +439,Apply Rule,Εφαρμόζει τον Κανονισμό DocType: User,Karma,Κάρμα DocType: DocField,Table,Πίνακας DocType: File,File Size,Μέγεθος αρχείου @@ -1945,7 +1955,7 @@ apps/frappe/frappe/desk/page/setup_wizard/setup_wizard.js +439,"Select your Coun apps/frappe/frappe/public/js/frappe/ui/filters/edit_filter.html +16,Between,Μεταξύ DocType: Async Task,Queued,Στην ουρά DocType: PayPal Settings,Use Sandbox,χρήση Sandbox -apps/frappe/frappe/public/js/frappe/form/print.js +98,New Custom Print Format,Νέα προσαρμοσμένη μορφή Εκτύπωση +apps/frappe/frappe/public/js/frappe/form/print.js +101,New Custom Print Format,Νέα προσαρμοσμένη μορφή Εκτύπωση DocType: Custom DocPerm,Create,Δημιουργία apps/frappe/frappe/public/js/frappe/views/reports/grid_report.js +204,Invalid Filter: {0},Άκυρα Φίλτρο : {0} DocType: Email Account,no failed attempts,Δεν αποτυχημένες προσπάθειες @@ -1969,8 +1979,8 @@ apps/frappe/frappe/custom/doctype/custom_field/custom_field.py +68,"Insert After DocType: Workflow State,signal,Σήμα DocType: DocType,Show Print First,Προβολή εκτύπωσης πρώτα apps/frappe/frappe/desk/page/chat/chat_main.html +12,Ctrl + Enter to post,Ctrl + Enter για να δημοσιεύσετε -apps/frappe/frappe/public/js/frappe/form/link_selector.js +105,Make a new {0},Κάντε μια νέα {0} -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +142,New Email Account,Νέος λογαριασμός ηλεκτρονικού ταχυδρομείου +apps/frappe/frappe/public/js/frappe/form/link_selector.js +106,Make a new {0},Κάντε μια νέα {0} +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +144,New Email Account,Νέος λογαριασμός ηλεκτρονικού ταχυδρομείου apps/frappe/frappe/core/page/usage_info/usage_info.html +86,Size (MB),Μέγεθος (ΜΒ) DocType: Help Article,Author,Συγγραφέας apps/frappe/frappe/email/doctype/email_queue/email_queue_list.js +10,Resume Sending,συνεχίσετε την αποστολή @@ -1980,7 +1990,7 @@ DocType: Print Settings,Monochrome,Μονόχρωμος DocType: Contact,Purchase User,Χρήστης αγορών DocType: Workflow,"Different ""States"" this document can exist in. Like ""Open"", ""Pending Approval"" etc.","Διαφορετικές ""καταστάσεις"" που αυτό το έγγραφο μπορεί να υπάρχει ως ""ανοιχτό"", ""σε εκκρεμότητα έγκρισης"", κλπ." apps/frappe/frappe/utils/verified_command.py +43,This link is invalid or expired. Please make sure you have pasted correctly.,Αυτή η σύνδεση είναι άκυρη ή έχει λήξει. Παρακαλώ βεβαιωθείτε ότι έχετε επικολληθεί σωστά. -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +134,{0} has been successfully unsubscribed from this mailing list.,{0} έχει καταργήσει την εγγραφή σας με επιτυχία από αυτή τη λίστα. +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +135,{0} has been successfully unsubscribed from this mailing list.,{0} έχει καταργήσει την εγγραφή σας με επιτυχία από αυτή τη λίστα. DocType: Web Page,Slideshow,Παρουσίαση apps/frappe/frappe/geo/doctype/address_template/address_template.py +31,Default Address Template cannot be deleted,Το προεπιλεγμένο πρότυπο διεύθυνσης δεν μπορεί να διαγραφεί DocType: Contact,Maintenance Manager,Υπεύθυνος συντήρησης @@ -1994,13 +2004,16 @@ apps/frappe/frappe/model/document.py +1047,This document is currently queued for apps/frappe/frappe/core/doctype/file/file.py +373,File '{0}' not found,Αρχείο '{0}' δεν βρέθηκε apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +411,Remove Section,Κατάργηση τμήματος DocType: User,Change Password,Άλλαξε κωδικό -apps/frappe/frappe/public/js/frappe/form/control.js +510,Invalid Email: {0},Μη έγκυρο email : {0} +apps/frappe/frappe/public/js/frappe/form/control.js +511,Invalid Email: {0},Μη έγκυρο email : {0} apps/frappe/frappe/desk/doctype/event/event.py +23,Event end must be after start,Η λήξη συμβάντος πρέπει να είναι μετά την έναρξη apps/frappe/frappe/desk/query_report.py +22,You don't have permission to get a report on: {0},Δεν έχετε άδεια για να πάρετε μια έκθεση σχετικά με: {0} DocType: DocField,Allow Bulk Edit,Να επιτρέπεται η μαζική επεξεργασία DocType: Blog Post,Blog Post,Δημοσίευση blog -apps/frappe/frappe/public/js/frappe/form/control.js +1416,Advanced Search,Σύνθετη αναζήτηση +apps/frappe/frappe/public/js/frappe/form/control.js +1417,Advanced Search,Σύνθετη αναζήτηση apps/frappe/frappe/core/doctype/user/user.py +748,Password reset instructions have been sent to your email,Οι οδηγίες επαναφοράς κωδικού πρόσβασης έχουν αποσταλθεί στο e-mail σας +apps/frappe/frappe/core/page/permission_manager/permission_manager.js +383,"Level 0 is for document level permissions, \ + higher levels for field level permissions.","Το επίπεδο 0 είναι για δικαιώματα επιπέδου εγγράφου, \ υψηλότερα επίπεδα για δικαιώματα πεδίου." +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +654,Sort By,Ταξινόμηση DocType: Workflow,States,Καταστάσεις DocType: Email Alert,Attach Print,Συνδέστε Εκτύπωση apps/frappe/frappe/core/doctype/user/user.py +434,Suggested Username: {0},Προτεινόμενη Όνομα Χρήστη: {0} @@ -2008,7 +2021,7 @@ apps/frappe/frappe/public/js/frappe/views/gantt/gantt_view.js +98,Day,Ημέρα ,Modules,ενότητες apps/frappe/frappe/core/doctype/user/user.js +49,Set Desktop Icons,Ορίστε εικονίδια της επιφάνειας εργασίας apps/frappe/frappe/templates/pages/integrations/payment-success.html +3,Payment Success,επιτυχία πληρωμής -apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +135,No {0} mail,Όχι {0} ταχυδρομείου +apps/frappe/frappe/public/js/frappe/views/inbox/inbox_view.js +137,No {0} mail,Όχι {0} ταχυδρομείου DocType: OAuth Bearer Token,Revoked,ανακλήθηκε DocType: Web Page,Sidebar and Comments,Sidebar και Σχόλια apps/frappe/frappe/core/page/permission_manager/permission_manager_help.html +18,"When you Amend a document after Cancel and save it, it will get a new number that is a version of the old number.","Όταν τροποποιείτε ένα έγγραφο μετά ακυρώστε και αποθηκεύστε το, θα πάρει ένα νέο αριθμό που είναι μια έκδοση του παλιού αριθμού." @@ -2016,17 +2029,17 @@ DocType: Stripe Settings,Publishable Key,Κλειδί δημοσίευσης DocType: Workflow State,circle-arrow-left,Circle-arrow-left apps/frappe/frappe/sessions.py +156,Redis cache server not running. Please contact Administrator / Tech support,Ο διακομιστής cache Redis δεν λειτουργεί. Παρακαλώ επικοινωνήστε με το διαχειριστή / τεχνική υποστήριξη apps/frappe/frappe/geo/report/addresses_and_contacts/addresses_and_contacts.js +23,Party Name,Όνομα κόμμα -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +132,Make a new record,Δημιουργία νέας εγγραφής +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +130,Make a new record,Δημιουργία νέας εγγραφής apps/frappe/frappe/public/js/frappe/ui/toolbar/search_header.html +4,Searching,Ερευνητικός DocType: Currency,Fraction,Κλάσμα DocType: LDAP Settings,LDAP First Name Field,LDAP Όνομα πεδίο -apps/frappe/frappe/public/js/frappe/form/control.js +972,Select from existing attachments,Επιλέξτε από τα υπάρχοντα συνημμένα +apps/frappe/frappe/public/js/frappe/form/control.js +973,Select from existing attachments,Επιλέξτε από τα υπάρχοντα συνημμένα DocType: Custom Field,Field Description,Περιγραφή πεδίου apps/frappe/frappe/model/naming.py +54,Name not set via Prompt,Το όνομα δεν έχει οριστεί μέσω διαλόγου προτροπής -apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +240,Email Inbox,Εισερχόμενα e-mail +apps/frappe/frappe/public/js/frappe/ui/toolbar/search_utils.js +234,Email Inbox,Εισερχόμενα e-mail DocType: Auto Email Report,Filters Display,φίλτρα οθόνης DocType: Website Theme,Top Bar Color,Top Bar Χρώμα -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +129,Do you want to unsubscribe from this mailing list?,Θέλετε να διαγραφείτε από αυτή τη λίστα; +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +130,Do you want to unsubscribe from this mailing list?,Θέλετε να διαγραφείτε από αυτή τη λίστα; DocType: Address,Plant,Βιομηχανικός εξοπλισμός apps/frappe/frappe/core/doctype/communication/communication.js +65,Reply All,Απάντηση σε όλους DocType: DocType,Setup,Εγκατάσταση @@ -2036,8 +2049,8 @@ DocType: Workflow State,glass,Ποτήρι DocType: DocType,Timeline Field,Χρονοδιάγραμμα πεδίο DocType: Country,Time Zones,Ζώνες ώρας apps/frappe/frappe/core/page/permission_manager/permission_manager.py +87,There must be atleast one permission rule.,Πρέπει να υπάρχει atleast κανόνα μία άδεια. -apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +51,Get Items,Βρες είδη -apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +98,You did not apporve Dropbox Access.,Δεν έχετε apporve Dropbox Access. +apps/frappe/frappe/public/js/frappe/form/multi_select_dialog.js +67,Get Items,Βρες είδη +apps/frappe/frappe/integrations/doctype/dropbox_settings/dropbox_settings.py +96,You did not apporve Dropbox Access.,Δεν έχετε apporve Dropbox Access. DocType: DocField,Image,Εικόνα DocType: Workflow State,remove-sign,Remove-sign apps/frappe/frappe/www/search.html +30,Type something in the search box to search,Πληκτρολογήστε κάτι στο πλαίσιο αναζήτησης για να αναζητήσετε @@ -2046,9 +2059,9 @@ DocType: Communication,Other,Άλλος apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +162,Start new Format,Ξεκινήστε νέα μορφή apps/frappe/frappe/core/page/user_permissions/user_permissions.js +144,Please attach a file,Παρακαλείστε να επισυνάψετε ένα αρχείο DocType: Workflow State,font,Γραμματοσειρά -apps/frappe/frappe/utils/password_strength.py +149,This is a top-100 common password.,Αυτό είναι ένα κοινό κωδικό top-100. +apps/frappe/frappe/utils/password_strength.py +151,This is a top-100 common password.,Αυτό είναι ένα κοινό κωδικό top-100. apps/frappe/frappe/email/doctype/auto_email_report/auto_email_report.js +30,Please enable pop-ups,Παρακαλούμε ενεργοποιήστε τα pop-ups -DocType: Contact,Mobile No,Αρ. Κινητού +DocType: User,Mobile No,Αρ. Κινητού DocType: Communication,Text Content,Περιεχόμενο κειμένου DocType: Customize Form Field,Is Custom Field,Είναι Προσαρμοσμένο πεδίο DocType: Workflow,"If checked, all other workflows become inactive.","Εάν είναι επιλεγμένο, όλες οι άλλες ροές εργασίας γίνονται ανενεργές." @@ -2063,7 +2076,7 @@ DocType: Email Flag Queue,Action,Ενέργεια apps/frappe/frappe/www/update-password.html +111,Please enter the password,Παρακαλώ εισάγετε τον κωδικό πρόσβασης apps/frappe/frappe/www/printview.py +83,Not allowed to print cancelled documents,Δεν επιτρέπεται να εκτυπώσετε ακυρωθεί έγγραφα apps/frappe/frappe/public/js/frappe/views/kanban/kanban_board.js +71,You are not allowed to create columns,Δεν επιτρέπεται να δημιουργήσετε στήλες -apps/frappe/frappe/core/page/data_import_tool/exporter.py +268,Info:,Πληροφορίες: +apps/frappe/frappe/core/page/data_import_tool/exporter.py +269,Info:,Πληροφορίες: DocType: Custom Field,Permission Level,Επίπεδο δικαιωμάτων DocType: User,Send Notifications for Transactions I Follow,Αποστολή ειδοποιήσεων για συναλλαγές που παρακολουθώ apps/frappe/frappe/core/doctype/doctype/doctype.py +664,"{0}: Cannot set Submit, Cancel, Amend without Write","{0} : Δεν είναι δυνατή η ρύθμιση υποβολή, ακύρωση, τροποποίηση χωρίς εγγραφή" @@ -2081,11 +2094,11 @@ DocType: DocField,In List View,Στην προβολή λίστας DocType: Email Account,Use TLS,Χρήση tls apps/frappe/frappe/email/smtp.py +24,Invalid login or password,Μη έγκυρη είσοδος ή κωδικός πρόσβασης apps/frappe/frappe/config/setup.py +231,Add custom javascript to forms.,Προσθήκη προσαρμοσμένων javascript για τις φόρμες. -apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +472,Sr No,Sr Όχι +apps/frappe/frappe/public/js/frappe/views/reports/query_report.js +483,Sr No,Sr Όχι ,Role Permissions Manager,Διαχειριστής δικαιωμάτων ρόλου apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +117,Name of the new Print Format,Όνομα της νέας μορφοποίησης εκτύπωσης -apps/frappe/frappe/public/js/frappe/form/control.js +974,Clear Attachment,σαφές Συνημμένο -apps/frappe/frappe/core/page/data_import_tool/exporter.py +266,Mandatory:,Υποχρεωτικό: +apps/frappe/frappe/public/js/frappe/form/control.js +975,Clear Attachment,σαφές Συνημμένο +apps/frappe/frappe/core/page/data_import_tool/exporter.py +267,Mandatory:,Υποχρεωτικό: ,User Permissions Manager,Διαχειριστής δικαιωμάτων χρήστη DocType: Property Setter,New value to be set,Νέα τιμή που θα καθοριστεί DocType: Email Alert,Days Before or After,Ημέρες πριν ή μετά @@ -2121,14 +2134,14 @@ apps/frappe/frappe/model/base_document.py +428,Value missing for,Η τιμή λ apps/frappe/frappe/public/js/frappe/views/treeview.js +161,Add Child,Προσθήκη παιδιού apps/frappe/frappe/model/delete_doc.py +165,{0} {1}: Submitted Record cannot be deleted.,{0} {1}: Οι υποβεβλημένες εγγραφές δεν μπορούν να διαγραφούν. apps/frappe/frappe/core/page/usage_info/usage_info.html +99,Backup Size,αντιγράφων ασφαλείας Μέγεθος -apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +133,new type of document,νέος τύπος του εγγράφου +apps/frappe/frappe/public/js/frappe/ui/toolbar/awesome_bar.js +131,new type of document,νέος τύπος του εγγράφου DocType: Custom DocPerm,Read,Ανάγνωση DocType: Role Permission for Page and Report,Role Permission for Page and Report,Άδεια ρόλο για την σελίδα και Έκθεση apps/frappe/frappe/printing/page/print_format_builder/print_format_builder.js +460,Align Value,Ευθυγράμμιση Αξία apps/frappe/frappe/www/update-password.html +14,Old Password,Παλιός κωδικός apps/frappe/frappe/website/doctype/blog_post/blog_post.py +102,Posts by {0},Δημοσιεύσεις από {0} apps/frappe/frappe/core/doctype/report/report.js +9,"To format columns, give column labels in the query.","Για να διαμορφώσετε τις στήλες, εισάγετε τις ετικέτες των στηλών στο ερώτημα." -apps/frappe/frappe/www/login.html +67,Don't have an account? Sign up,Δεν έχετε λογαριασμό; Εγγραφείτε +apps/frappe/frappe/www/login.html +72,Don't have an account? Sign up,Δεν έχετε λογαριασμό; Εγγραφείτε apps/frappe/frappe/core/doctype/doctype/doctype.py +691,{0}: Cannot set Assign Amend if not Submittable,"{0} : Δεν είναι δυνατή η ανάθεση τροποποίησης, αν δεν είναι υποβλητέα" apps/frappe/frappe/core/page/user_permissions/user_permissions.js +14,Edit Role Permissions,Επεξεργασία δικαιωμάτων ρόλου DocType: Communication,Link DocType,DocType σύνδεσμο @@ -2142,7 +2155,7 @@ DocType: DocType,Child Tables are shown as a Grid in other DocTypes.,Οι θυγ apps/frappe/frappe/www/404.html +10,The page you are looking for is missing. This could be because it is moved or there is a typo in the link.,Η σελίδα που ψάχνετε λείπει. Αυτό θα μπορούσε να είναι επειδή κινείται ή υπάρχει ένα τυπογραφικό λάθος στο σύνδεσμο. apps/frappe/frappe/www/404.html +13,Error Code: {0},Κωδικός σφάλματος: {0} DocType: Blog Post,"Description for listing page, in plain text, only a couple of lines. (max 140 characters)","Περιγραφή για τη σελίδα παράθεσης, σε μορφή απλού κειμένου, μόνο μια-δυο γραμμές. (Μέγιστο 140 χαρακτήρες)" -apps/frappe/frappe/core/page/user_permissions/user_permissions.js +302,Add A User Restriction,Προσθέστε ένας περιορισμός χρήσης +apps/frappe/frappe/core/page/user_permissions/user_permissions.js +304,Add A User Restriction,Προσθέστε ένας περιορισμός χρήσης DocType: DocType,Name Case,Περίπτωση ονόματος apps/frappe/frappe/public/js/frappe/form/share.js +27,Shared with everyone,Κοινή χρήση με όλους apps/frappe/frappe/model/base_document.py +423,Data missing in table,Στοιχεία που λείπουν στον πίνακα @@ -2167,7 +2180,7 @@ apps/frappe/frappe/templates/includes/contact.js +11,"Please enter both your ema can get back to you. Thanks!","Παρακαλώ εισάγετε τόσο το email όσο και το μήνυμά σας έτσι ώστε να \ μπορέσουμε να επικοινωνήσουμε μαζί σας. Ευχαριστώ!" apps/frappe/frappe/email/smtp.py +170,Could not connect to outgoing email server,Δεν ήταν δυνατή η σύνδεση με το διακομιστή εξερχόμενων e-mail -apps/frappe/frappe/email/doctype/newsletter/newsletter.py +163,Thank you for your interest in subscribing to our updates,Σας ευχαριστούμε για το ενδιαφέρον σας για την εγγραφή στις ενημερώσεις μας +apps/frappe/frappe/email/doctype/newsletter/newsletter.py +162,Thank you for your interest in subscribing to our updates,Σας ευχαριστούμε για το ενδιαφέρον σας για την εγγραφή στις ενημερώσεις μας apps/frappe/frappe/public/js/frappe/list/list_sidebar.js +169,Custom Column,Προσαρμοσμένη στήλη DocType: Workflow State,resize-full,Resize-full DocType: Workflow State,off,Μακριά από @@ -2185,10 +2198,10 @@ DocType: OAuth Bearer Token,Expires In,Λήγει σε DocType: DocField,Allow on Submit,Επιτρέπεται κατά την υποβολή DocType: DocField,HTML,HTML DocType: Error Snapshot,Exception Type,Εξαίρεση Τύπος -apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +599,Pick Columns,Διαλέξτε Στήλες +apps/frappe/frappe/public/js/frappe/views/reports/reportview.js +600,Pick Columns,Διαλέξτε Στήλες DocType: Web Page,Add code as <script>,Προσθήκη κώδικα ως